3

アプリケーションの動作を json ファイルに記録する必要があります。アプリケーションは数週間続くことが予想されるため、json ファイルを段階的に書き込みたいと考えています。

今のところ、json を手動で書いていますが、Jsoncpp lib を使用しているログ リーダー アプリケーションがいくつかあり、Jsoncpp lib を使用してログを書き留めておくと便利です。

しかし、マニュアルといくつかの例では、似たようなものは見つかりませんでした..それは常に次のようなものです:

Json::Value root;
// fill the json

ofstream mFile;
mFile.open(filename.c_str(), ios::trunc);
mFile << json_string;
mFile.close();

不必要にメモリがいっぱいになるので、それは私が望むものではありません。段階的にやりたい..何かアドバイスはありますか?

4

2 に答える 2

3

How I can I lazily read multiple JSON objects from a file/stream in Python? で説明されているように、プレーン JSON to JSON linesに切り替えることができる場合 (リンクを提供してくれたctnに感謝します)、次のようなことができます:

const char* myfile = "foo.json";

// Write, in append mode, opening and closing the file at each write
{   
    Json::FastWriter l_writer;
    for (int i=0; i<100; i++)
    {
        std::ofstream l_ofile(myfile, std::ios_base::out | std::ios_base::app);

        Json::Value l_val;
        l_val["somevalue"] = i;
        l_ofile << l_writer.write(l_val);

        l_ofile.close();
    }       
}

// Read the JSON lines
{
    std::ifstream l_ifile(myfile);
    Json::Reader l_reader;
    Json::Value l_value;
    std::string l_line;
    while (std::getline(l_ifile, l_line))
        if (l_reader.parse(l_line, l_value))
            std::cout << l_value << std::endl;  
}    

この場合、ファイルには JSON が 1 つもありませんが、機能します。お役に立てれば。

于 2013-05-22T14:15:33.970 に答える