3

我无法在 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 btw ... 如果我从字面上声明,它适用于 GCC 那么我 inline virtual int GetTypeID(int guid) {的 GCC 代码有什么问题如何让它看到受保护的父类 typedef?

4

1 回答 1

5

您必须限定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 一起编译的原因。但是,此行为不符合标准。海湾合作委员会是正确的。

于 2013-06-13T21:45:38.067 回答