使用jsoncpp迭代JSON对象数组

jfewjypa  于 2023-03-24  发布在  其他
关注(0)|答案(2)|浏览(174)

我有一个JSON对象的数组,比如jsonArr,如下所示:

[
  { "attr1" : "somevalue",
    "attr2" : "someothervalue"
  },
  { "attr1" : "yetanothervalue",
    "attr2" : "andsoon"
  },
  ...
]

使用jsoncpp,我尝试遍历数组并检查每个对象是否有成员"attr1",在这种情况下,我想将相应的值存储在向量values中。
我试过

Json::Value root;
Json::Reader reader;
Json::FastWriter fastWriter;
reader.parse(jsonArr, root);

std::vector<std::string> values;

for (Json::Value::iterator it=root.begin(); it!=root.end(); ++it) {
  if (it->isMember(std::string("attr1"))) {
    values.push_back(fastWriter.write((*it)["uuid"]));
  }
}

但一直收到错误信息

libc++abi.dylib: terminating with uncaught exception of type Json::LogicError: in Json::Value::find(key, end, found): requires objectValue or nullValue
xyhw6mcr

xyhw6mcr1#

很好的自我解释:

for (Json::Value::ArrayIndex i = 0; i != root.size(); i++)
    if (root[i].isMember("attr1"))
        values.push_back(root[i]["attr1"].asString());
d7v8vwbk

d7v8vwbk2#

除了@Sga的建议,我建议使用一个范围for循环:

for (auto el : root)
{
  if (el.isMember("attr1"))
    values.push_back(el["attr1"].asString());
}

我发现这更易读,而且它节省了对size()的额外调用以及索引检索。

相关问题