Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

rapidjson - change key to another value

Tags:

c++

rapidjson

Here is the hello world of rapidjson. How can I change key "hello" to "goodbye" and get string from the json? I mean I want to parse json, change some keys and get json string back like {"goodbye" : "world"}.

const char json[] = "{ \"hello\" : \"world\" }";

rapidjson::Document d;
d.Parse<0>(json);
like image 516
Narek Avatar asked Jun 13 '14 11:06

Narek


2 Answers

  const char *json = R"({"hello": "world"})";
  rapidjson::Document d;
  d.Parse<0> (json);

  rapidjson::Value::Member* hello = d.FindMember ("hello"); if (hello) {
    d.AddMember ("goodbye", hello->value, d.GetAllocator());
    d.RemoveMember ("hello");
  }

  typedef rapidjson::GenericStringBuffer<rapidjson::UTF8<>, rapidjson::MemoryPoolAllocator<>> StringBuffer;
  StringBuffer buf (&d.GetAllocator());
  rapidjson::Writer<StringBuffer> writer (buf, &d.GetAllocator());
  d.Accept (writer);
  json = buf.GetString();

P.S. You should probably copy the json afterwards because its memory will be freed together with d.

P.P.S. You can also replace the field name in-place, without removing it:

rapidjson::Value::Member* hello = d.FindMember ("hello");
if (hello) hello->name.SetString ("goodbye", d.GetAllocator());

Or during iteration:

for (auto it = d.MemberBegin(); it != d.MemberEnd(); ++it)
  if (strcmp (it->name.GetString(), "hello") == 0) it->name.SetString ("goodbye", d.GetAllocator());
like image 163
ArtemGr Avatar answered Nov 13 '22 15:11

ArtemGr


In my case there is a key dictionary named keyDict which stores the values that object keys should be replaced with.

std::string line;
std::map<std::string, int>  keyDict;

.....................
.........................

rapidjson::Document         doc;
doc.Parse<0>(line.c_str());
rapidjson::Value::MemberIterator itr;


for (itr = doc.MemberonBegin(); itr != doc.MemberonEnd(); ++itr)
{
    std::string keyCode = std::to_string(keyDict[itr->name.GetString()]);
    itr->name.SetString(keyCode.c_str(), keyCode.size(), doc.GetAllocator());
}
like image 26
Narek Avatar answered Nov 13 '22 14:11

Narek