例如,使用 nlohmann::json,我可以做到
map<string, vector<int>> m = { {"a", {1, 2}}, {"b", {2, 3}} };
json j = m;
但我做不到
m = j;
有什么方法可以使用 nlohmann::json 将 json 对象转换为地图?
例如,使用 nlohmann::json,我可以做到
map<string, vector<int>> m = { {"a", {1, 2}}, {"b", {2, 3}} };
json j = m;
但我做不到
m = j;
有什么方法可以使用 nlohmann::json 将 json 对象转换为地图?
nlomann::json 可以将 Json 对象转换为大多数标准 STL 容器get<typename BasicJsonType>() const
例子:
// Raw string to json type
auto j = R"(
{
"foo" :
{
"bar" : 1,
"baz" : 2
}
}
)"_json;
// find object and convert to map
std::map<std::string, int> m = j.at("foo").get<std::map<std::string, int>>();
std::cout << m.at("baz") << "\n";
// 2
json类中有函数get
。
尝试以下方式:
m = j.get<std::map <std::string, std::vector <int>>();
您可能需要稍微摆弄一下才能使其按照您想要的方式精确工作。
我找到的唯一解决方案就是手动解析它。
std::map<std::string, std::vector<int>> m = { {"a", {1, 2}}, {"b", {2, 3}} };
json j = m;
std::cout << j << std::endl;
auto v8 = j.get<std::map<std::string, json>>();
std::map<std::string, std::vector<int>> m_new;
for (auto &i : v8)
{
m_new[i.first] = i.second.get<std::vector<int>>();
}
for(auto &item : m_new){
std::cout << item.first << ": " ;
for(auto & k: item.second ){
std::cout << k << ",";
}
std::cout << std::endl;
}
如果有更好的方法,我将不胜感激。
事实上,您的代码在当前版本 (2.0.9) 中完全有效。
我试过了:
std::map<std::string, std::vector<int>> m = { {"a", {1, 2}}, {"b", {2, 3}} };
json j = m;
std::cout << j << std::endl;
并得到了输出
{"a":[1,2],"b":[2,3]}