boost ptree 访问没有路径名的第一个元素

boost ptree access first element with no path name

我正在使用 boost 库来操作 JSON 字符串,我想访问第一个元素。

我想知道是否有一些方便的方法可以访问没有路径名的 ptree 的第一个元素。

我这样做了,但没有任何价值:

namespace pt = boost::property_tree;
pt::ptree pt2;
string json = "\"ok\"";
istringstream is(json);
try
{
        pt::read_json(is, pt2);
        cout << pt2.get_child("").equal_range("").first->first.data() << endl;
}
catch (std::exception const& e)
{
        cerr << e.what() << endl;
}

解法:

替换cout << pt2.get_child("").equal_range("").first->first.data() << endl;

来自 cout << pt2.get_value<std::string>() << endl;

I would like to access to a first element.

一般情况下是不可能的,因为 JSON 元素不是 place-fixed 定义的。当前的第一个元素可以在 JSON 转换后更改其位置,并且生成的 JSON 将是相同的,尽管元素被重新排序。因此BOOST不提供这样的API。

首先,属性 树 不是 JSON 库。

其次,输入是不是在库支持的JSON的子集中(e.g.)。

第三,由于输入结果生成的树 没有 个子节点,因此您应该使用根节点本身的值。

最后,如果您想要第一个节点,请使用ordered_begin()->second:

Live On Coliru

#include <boost/property_tree/json_parser.hpp>
#include <boost/property_tree/xml_parser.hpp>
#include <iostream>

void broken_input() {
    boost::property_tree::ptree pt;
    std::istringstream is("\"ok\"");
    read_json(is, pt);
    std::cout << "Root value is " << pt.get_value<std::string>() << std::endl;
}

void normal_tree() {
    boost::property_tree::ptree pt;
    pt.put("first", "hello");
    pt.put("second", "world");
    pt.put("third", "bye");

    std::cout << pt.ordered_begin()->second.get_value<std::string>() << std::endl;

    write_json(std::cout, pt);
}


int main() {
    try {
        broken_input();
        normal_tree();
    }
    catch (std::exception const& e)
    {
        std::cerr << e.what() << std::endl;
    }
}

版画

Root value is ok
hello
{
    "first": "hello",
    "second": "world",
    "third": "bye"
}