不要像使用 JSON 库一样使用属性树。它有众所周知的局限性:https ://www.boost.org/doc/libs/1_75_0/doc/html/property_tree/parsers.html#property_tree.parsers.json_parser
请特别注意围绕数组的限制。
接下来,您一开始没有编写数组,而是编写了一个字符串。但由于它是二进制数据,它可能是有效的 JSON 字符串,这可能是错误的来源。
此外,您可能不需要再次复制整个 JSON以将其放入缓冲区。相反,boost::asio::buffer(resultString)
它将起作用(只要您确保 的生命周期resultString
足够,例如 with buffer_
)。
只是测试一下确实表明字符被正确转义了write_json
:
Live On 编译器资源管理器
#define BOOST_BIND_GLOBAL_PLACEHOLDERS
#include <boost/property_tree/json_parser.hpp>
#include <iostream>
using namespace std::string_literals;
struct Im { std::array<std::uint64_t, 10> bits; };
int main()
{
auto im = std::make_unique<Im>(
Im { 0b0010'1100'1010'0010'0111'1100'0010 });
std::string_view bitmsg(
reinterpret_cast<char const*>(&im->bits),
sizeof(im->bits));
auto processResultJson = "some binary data: \0 \x10 \xef αβγδ\n"s;
processResultJson += bitmsg;
boost::property_tree::ptree docData;
docData.put("Image1", processResultJson);
std::ostringstream oss;
boost::property_tree::json_parser::write_json(oss, docData);
std::cout << oss.str();
}
印刷
{ "Image1": "some binary data: \u0000 \u0010 αβγδ\nu0002\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000\u0000" }
Json lint 将其报告为有效的 JSON(物有所值)
但是,请考虑通过以下方式加倍确定
- 使用 base64 编码对二进制数据进行编码
- 使用 Boost JSON 或其他合适的 JSON 库
使用 Boost JSON 进行演示
1.75.0 引入了适当的 JSON 库。让我们庆祝一下。
直截了当的翻译是:https ://godbolt.org/z/es9jGc
json::object docData;
docData["Image1"] = processResultJson;
std::string resultString = json::serialize(docData);
但是,您现在可以轻松地使用强类型的正确数组:https ://godbolt.org/z/K9c6bc
json::object docData;
docData["Image1"] = json::array(im->bits.begin(), im->bits.end());
印刷
{"Image1":[46802882,0,0,0,0,0,0,0,0,0]}
或者,实际上,您可以将默认转换与value_from
: 一起使用:
Live On 编译器资源管理器
#include <iostream>
#include <boost/json/src.hpp> // for header-only
namespace json = boost::json;
struct Im { std::array<std::uint64_t, 10> bits; };
int main()
{
auto im = std::make_unique<Im>(
Im { 0b0010'1100'1010'0010'0111'1100'0010, /*...*/ });
std::cout << json::object{ {"Image1", json::value_from(im->bits) } };
}
印刷
{"Image1":[46802882,0,0,0,0,0,0,0,0,0]}