在C ++中初始化静态std :: map <int,int>

什么是初始化静态地图的正确方法? 我们需要一个静态函数来初始化它吗?


使用C ++ 11:

#include <map>
using namespace std;

map<int, char> m = {{1, 'a'}, {3, 'b'}, {5, 'c'}, {7, 'd'}};

使用Boost.Assign:

#include <map>
#include "boost/assign.hpp"
using namespace std;
using namespace boost::assign;

map<int, char> m = map_list_of (1, 'a') (3, 'b') (5, 'c') (7, 'd');

最好的方法是使用一个函数:

#include <map>

using namespace std;

map<int,int> create_map()
{
  map<int,int> m;
  m[1] = 2;
  m[3] = 4;
  m[5] = 6;
  return m;
}

map<int,int> m = create_map();

制作类似于提升的东西并不是一个复杂的问题。 这里有一个只有三个函数的类,包括构造函数,以复制几乎所有的提升。

template <typename T, typename U>
class create_map
{
private:
    std::map<T, U> m_map;
public:
    create_map(const T& key, const U& val)
    {
        m_map[key] = val;
    }

    create_map<T, U>& operator()(const T& key, const U& val)
    {
        m_map[key] = val;
        return *this;
    }

    operator std::map<T, U>()
    {
        return m_map;
    }
};

用法:

std::map mymap = create_map<int, int >(1,2)(3,4)(5,6);

上面的代码最适合初始化全局变量或需要初始化的类的静态成员,并且您不知道何时首先使用它,但您想确保其中的值可用。

如果说,你必须将元素插入到现有的std :: map中...这是另一个类。

template <typename MapType>
class map_add_values {
private:
    MapType mMap;
public:
    typedef typename MapType::key_type KeyType;
    typedef typename MapType::mapped_type MappedType;

    map_add_values(const KeyType& key, const MappedType& val)
    {
        mMap[key] = val;
    }

    map_add_values& operator()(const KeyType& key, const MappedType& val) {
        mMap[key] = val;
        return *this;
    }

    void to (MapType& map) {
        map.insert(mMap.begin(), mMap.end());
    }
};

用法:

typedef std::map<int, int> Int2IntMap;
Int2IntMap testMap;
map_add_values<Int2IntMap>(1,2)(3,4)(5,6).to(testMap);

使用GCC 4.7.2在此处查看:http://ideone.com/3uYJiH

###############以下所有内容均已废止#################

编辑 :下面的map_add_values类,这是我曾经建议的原始解决方案,当涉及到GCC 4.5+时,会失败。 请查看上面的代码,了解如何为现有地图添加值。


template<typename T, typename U>
class map_add_values
{
private:
    std::map<T,U>& m_map;
public:
    map_add_values(std::map<T, U>& _map):m_map(_map){}
    map_add_values& operator()(const T& _key, const U& _val)
    {
        m_map[key] = val;
        return *this;
    }
};

用法:

std::map<int, int> my_map;
// Later somewhere along the code
map_add_values<int,int>(my_map)(1,2)(3,4)(5,6);

注意:以前我使用了一个operator []来添加实际值。 这是不可能的,因为dalle的评论。

#####################废止部分结束#####################

链接地址: http://www.djcxy.com/p/60511.html

上一篇: Initializing a static std::map<int, int> in C++

下一篇: Drawing circle inside UIView frame