Rapidjson:在文档中添加外部子文档

Rapidjson: add external sub-document to document

本文关键字:文档 外部 添加 Rapidjson      更新时间:2023-10-16

我想使用Rapidjson序列化一个嵌套结构到JSON,我也希望能够分别序列化每个对象,所以任何实现ToJson的类都可以序列化为JSON字符串。

在下面的代码中,Car有一个Wheel成员,两个类都实现了方法ToJson,该方法用它们的所有成员填充rapidjson::Document。该方法从函数模板ToJsonString中调用,以获取传递对象的格式化JSON字符串。

#include "rapidjson/document.h"
#include "rapidjson/prettywriter.h"
#include "rapidjson/stringbuffer.h"
template<typename T> std::string ToJsonString(const T &element)
{
    rapidjson::StringBuffer jsonBuffer;
    rapidjson::PrettyWriter<rapidjson::StringBuffer> jsonWriter(jsonBuffer);
    rapidjson::Document jsonDocument;
    element.ToJson(jsonDocument);
    jsonDocument.Accept(jsonWriter);
    return jsonBuffer.GetString();
}
struct Wheel
{
    std::string brand_;
    int32_t diameter_;
    void ToJson(rapidjson::Document &jsonDocument) const
    {
        jsonDocument.SetObject();
        jsonDocument.AddMember("brand_", brand_, jsonDocument.GetAllocator());
        jsonDocument.AddMember("diameter_", diameter_, jsonDocument.GetAllocator());
    }
};
struct Car
{
    std::string brand_;
    int64_t mileage_;
    Wheel wheel_;
    void ToJson(rapidjson::Document &jsonDocument) const
    {
        jsonDocument.SetObject();
        jsonDocument.AddMember("brand_", brand_, jsonDocument.GetAllocator());
        jsonDocument.AddMember("mileage_", mileage_, jsonDocument.GetAllocator());
        rapidjson::Document jsonSubDocument;
        wheel_.ToJson(jsonSubDocument);
        jsonDocument.AddMember("wheel_", rapidjson::kNullType, jsonDocument.GetAllocator());
        jsonDocument["wheel_"].CopyFrom(jsonSubDocument, jsonDocument.GetAllocator());
    }
};

如您所见,Car::ToJson调用Wheel::ToJson是为了获得Wheel的描述并将其添加为子对象,但由于分配管理(我也阅读了其他问题),我想不出一个可接受的解决方案来做到这一点。

我发现的解决方案是在CarjsonDocument中添加一个成员,带有一个随机字段值(在本例中为rapidjson::kNullType),然后在CopyFrom中添加Wheel的相应文档。

我该怎么做?

这比我想象的要简单得多。来自GitHub (issue 436):

避免复制的最简单的解决方案是重用外部文档的分配器:

rapidjson::Document jsonSubDocument(&jsonDocument.GetAllocator());
wheel_.ToJson(jsonSubDocument);
jsonDocument.AddMember("wheel_", jsonSubDocument, jsonDocument.GetAllocator());