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


当前回答

最好的方法是使用函数:

#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();

其他回答

例如:

const std::map<LogLevel, const char*> g_log_levels_dsc =
{
    { LogLevel::Disabled, "[---]" },
    { LogLevel::Info,     "[inf]" },
    { LogLevel::Warning,  "[wrn]" },
    { LogLevel::Error,    "[err]" },
    { LogLevel::Debug,    "[dbg]" }
};

如果map是一个类的数据成员,你可以通过以下方式直接在header中初始化它(自c++ 17开始):

// Example

template<>
class StringConverter<CacheMode> final
{
public:
    static auto convert(CacheMode mode) -> const std::string&
    {
        // validate...
        return s_modes.at(mode);
    }

private:
    static inline const std::map<CacheMode, std::string> s_modes =
        {
            { CacheMode::All, "All" },
            { CacheMode::Selective, "Selective" },
            { CacheMode::None, "None" }
            // etc
        };
}; 

只是想分享一个纯c++ 98的工作方式:

#include <map>

std::map<std::string, std::string> aka;

struct akaInit
{
    akaInit()
    {
        aka[ "George" ] = "John";
        aka[ "Joe" ] = "Al";
        aka[ "Phil" ] = "Sue";
        aka[ "Smitty" ] = "Yando";
    }
} AkaInit;

你有一些非常好的答案,但对我来说,这看起来就像“当你所知道的只是一把锤子”……

为什么没有标准的方法来初始化静态映射,最简单的答案是没有好的理由去使用静态映射……

映射是为快速查找未知元素集而设计的结构。如果您事先知道元素,只需使用c数组即可。以排序的方式输入值,如果不能这样做,也可以对它们运行排序。然后,您可以通过使用stl::函数循环输入lower_bound/upper_bound来获得log(n)性能。当我之前测试这个时,它们通常比地图快至少4倍。

优势是多方面的…… -更快的性能(*4,我测量过许多类型的CPU,它总是在4左右) -调试更简单。线性布局更容易看到发生了什么。 -复制操作的琐碎实现,如果这成为必要的。 -它在运行时不分配内存,因此永远不会抛出异常。 -它是一个标准的接口,因此很容易跨DLL或语言共享。

我可以继续列举,但如果你想了解更多,为什么不看看Stroustrup关于这个主题的许多博客呢?

这类似于PierreBdR,但没有复制映射。

#include <map>

using namespace std;

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

static map<int,int> m;
static bool _dummy = create_map (m);

使用c++ 11:

#include <map>
using namespace std;

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

使用Boost。分配:

#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');