如何访问基类型定义

GCC: how to access base typedef?

本文关键字:基类 类型 定义 访问 何访问      更新时间:2023-10-16

我不能在gcc的简单代码中访问受保护的基类型typedef:

#include <iostream>
#include <memory>
#include <map>
template <class X>
X& Singleton()
{
    static X x;
        return x;
}
template<class GUID_T, class MAP_T, class T>
class TypeFactory {
protected:
        bool ContainsInternal(MAP_T id) {
                auto it = types.find(id);
                return (it != types.end());
        }
        typedef GUID_T GUID;
        inline virtual MAP_T GetTypeID(GUID guid) = 0;
        std::map<MAP_T, T> types;
public :
        void Add(GUID guid, const T & value) {
                auto id = GetTypeID(guid);
                if(!ContainsInternal(id)) {
                        types.insert(std::make_pair(id, T(value)));
                }
        }
        bool Contains(GUID guid) {
                return ContainsInternal(GetTypeID(guid));
        }
        std::shared_ptr<T> Get(GUID guid) {
                auto id = GetTypeID(guid);
                std::shared_ptr<T> result;
                auto it = types.find(id);
                if(it != types.end()) {
                        result = std::make_shared<T>(it->second);
                }
                return result;
        }
        std::map<MAP_T, T> & GetAll() {
                return types;
        }
};
template<class T>
class IntTypeFactory : public TypeFactory<int, int, T> {
protected:
        inline virtual int GetTypeID(GUID guid) {
                return guid;
        }
};
class Type {
public: int a;
};
int main() {
        IntTypeFactory<Type> & Types (Singleton< IntTypeFactory<Type> >());
        IntTypeFactory<Type> & Types2 (Singleton< IntTypeFactory<Type> >());
        auto t_in = Type();
        t_in.a = 10;
        Types.Add(1, t_in);
        auto t_out = Types2.Get(1);
        std::cout << t_out->a << std::endl;
        return 0;
}

可以在VS2010中编译和工作。并为GCC工作,如果我从字面上声明inline virtual int GetTypeID(int guid) {,那么我的GCC代码有什么问题,如何使它看到受保护的父类类型定义?

您必须限定GUID类型名称。编译器不会在基类中查找非限定名,并且由于它在全局命名空间中既不可用,也不能作为IntTypeFactory中的类型别名,因此它最终会抱怨GUID是不存在的类型的名称:

template<class T>
class IntTypeFactory : public TypeFactory<int, int, T> {
protected:
    inline virtual int GetTypeID(
        typename TypeFactory<int, int, T>::GUID guid) {
//      ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
            return guid;
    }
};

MSVC不实现模板的两阶段查找,总是在实例化时查找名称,这就是为什么它在VS2010中编译。然而,这种行为不符合标准。