切换模板类型

时间:2011-11-21 23:31:18

标签: c++ templates types map

我想为我的游戏制作一些存储空间。现在代码如下:

class WorldSettings
{
    private:
        std::map<std::string, int> mIntegerStorage;
        std::map<std::string, float> mFloatStorage;
        std::map<std::string, std::string> mStringStorage;

    public:
        template <typename T>
        T Get(const std::string &key) const
        {
            // [?]
        }
};

所以,我有一些关联容器存储确切的数据类型。现在我想在设置中添加一些值:settings.Push<int>("WorldSize", 1000);并获取它:settings.Get<int>("WorldSize");。但是由于传递类型到模板中如何切换需要地图?

或者,也许,你知道更好的方式,谢谢。

4 个答案:

答案 0 :(得分:8)

如果编译器支持此 1 ,则可以使用模板函数特化:

class WorldSettings
{
    private:
        std::map<std::string, int> mIntegerStorage;
        std::map<std::string, float> mFloatStorage;
        std::map<std::string, std::string> mStringStorage;

    public:
        template <typename T>
        T Get(const std::string &key); // purposely left undefined
};

...

template<>
int WorldSettings::Get<int>(const std::string& key) {
    return mIntegerStorage[key];
}

template<>
float WorldSettings::Get<float>(const std::string& key) {
    return mFloatStorage[key];
}

// etc

请注意,这些方法不是const,因为map<>::operator[]不是const

此外,如果某人尝试使用的模板类型不同于您提供的专业化类型,则会出现链接器错误,因此您的代码不会出现异常或其他任何错误。哪个是最佳的。


1 如果没有,请参阅@gwiazdorrr's answer

答案 1 :(得分:8)

首先,由于在C ++ 11之前你不能专门化函数,你的成员函数必须在签名上有所不同 - 返回类型不计算。根据我在某些编译器上的经验,你可以不用它,但像往常一样 - 你应该尽可能接近标准。

那就是说你可以添加一个不会影响性能的虚拟参数,以及你调用函数的方式:

public:
    template <typename T>
    T Get(const std::string &key) const
    {
        return GetInner(key, (T*)0);
    }

private:
    int GetInner(const std::string& key, int*) const
    {
        // return something from mIntegerStorage
    }

    float GetInner(const std::string& key, float*) const
    {
        // return something from mFloatStorage
    }

等等。你明白了。

答案 2 :(得分:2)

Seth的答案是理想的,但如果您无法访问C ++ 11编译器,那么您可以使用模板类专门化来代替。它更冗长,但保持相同的功能。

class WorldSettings
{
    template<class T>
    struct Selector;
    template<class T>
    friend struct Selector;

private:
    std::map<std::string, int> mIntegerStorage;
    std::map<std::string, float> mFloatStorage;
    std::map<std::string, std::string> mStringStorage;

public:
    template <typename T>
    T Get(const std::string &key)
    {
        return Selector<T>::Get(*this)[key];
    }
};

template<>
struct WorldSettings::Selector<int>
{
    static std::map<std::string, int> & Get(WorldSettings &settings)
    {
        return settings.mIntegerStorage;
    }
};

template<>
struct WorldSettings::Selector<float>
{
    static std::map<std::string, float> & Get(WorldSettings &settings)
    {
        return settings.mFloatStorage;
    }
};

// etc.

答案 3 :(得分:1)

在C ++ 03中,我建议在容器类型中使用'boost :: any'。您需要一个访问者:

std::map<std::string,boost::any> storage;
template <typename T> getValue( std::string const & key ) {
   return boost::any_cast<T>( storage[key] );
}

这是一个粗略的草图,作为一个成员函数它将是const,并且它应该使用'map :: find'在搜索时不修改容器,它应该处理无效的joeys,并且可能将boost异常重新映射到你自己的应用程序例外。