我在c ++中有这个特殊的字符串数组:
#include <map>
#include <string>
std::map<std::string, std::map<int, std::string>> oParam;
oParam["pA"][0] = "a";
oParam["pA"][1] = "b";
oParam["pA"][2] = "c";
oParam["pB"][0] = "x";
oParam["pB"][1] = "y";
oParam["pB"][2] = "z";
但我想用初始化列表对其进行初始化,如下所示:
std::map<std::string, std::map<int, std::string>> oParam{
{ "pA", { "a", "b", "c" } },
{ "pB", { "x", "y", "z" } },
};
但是这给了我一个错误。我错过了一些括号吗?
答案 0 :(得分:3)
如果作为内部地图中的键的整数将是连续的,则可以改为使用向量:
std::map<std::string, std::vector<std::string>> oParam;
这样,你给出的初始化应该有效。
如果您继续使用std::map
,则必须执行以下操作。首先,它支持稀疏键,因此您需要为要插入的每个字符串指定键。其次,你需要将所有项目都插入到大括号中的一个地图中,如下所示:
std::map<std::string, std::map<int, std::string>> oParam {
{ "pA", { { 0, "a" }, { 1, "b" }, { 2, "c" } } },
{ "pB", { { 0, "x" }, { 1, "y" }, { 2, "z" } } }
};