我有一个像这样的JSON字符串:

{"callCommand":{"command":"car","floor":"2","landing":"front"}}

现在,我想检查是否有一个名为command的名称并获取该值。可能吗?我的代码如下,但是它不起作用。
const char json[] = "{\"callCommand\":{\"command\":\"car\",\"floor\":\"2\",\"landing\":\"front\"}}";

rapidjson::Value::ConstMemberIterator itr = d.FindMember("command");

if (itr != d.MemberEnd())
    printf("command = %s\n", d["callCommand"]["command"].GetString());

最佳答案

您正在文档的顶层搜索“命令”:

d.FindMember("command");

当您应该在“callCommand”中搜索它时:
d["callCommand"].FindMember("command");

另外,在使用FindMember搜索之后,应该使用迭代器,而不是再次使用operator []进行搜索。就像是:
// assuming that "callCommand" exists
rapidjson::Value& callCommand = d["callCommand"];
rapidjson::Value::ConstMemberIterator itr = callCommand.FindMember("command");

// assuming "command" is a String value
if (itr != callCommand.MemberEnd())
    printf("command = %s\n", itr->value.GetString());

09-10 15:36