我正在使用Boost的属性树来读写XML。我使用电子表格应用程序,我想将电子表格的内容保存到xml。这是一项学校作业,因此我需要对XML使用以下格式:
<?xml version="1.0" encoding="UTF-8"?>
<spreadsheet>
<cell>
<name>A2</name>
<contents>adsf</contents>
</cell>
<cell>
<name>D6</name>
<contents>345</contents>
</cell>
<cell>
<name>D2</name>
<contents>=d6</contents>
</cell>
</spreadsheet>
对于一个简单的测试程序,我写道:
int main(int argc, char const *argv[])
{
boost::property_tree::ptree pt;
pt.put("spreadsheet.cell.name", "a2");
pt.put("spreadsheet.cell.contents", "adsf");
write_xml("output.xml", pt);
boost::property_tree::ptree ptr;
read_xml("output.xml", ptr);
ptr.put("spreadsheet.cell.name", "d6");
ptr.put("spreadsheet.cell.contents", "345");
ptr.put("spreadsheet.cell.name", "d2");
ptr.put("spreadsheet.cell.contents", "=d6");
write_xml("output2.xml", ptr);
return 0;
}
根据此question,我看到put
方法替换了该节点上的所有内容,而不是添加新节点。这正是我所看到的功能:
的Output.xml
<?xml version="1.0" encoding="utf-8"?>
<spreadsheet>
<cell>
<name>a2</name>
<contents>adsf</contents>
</cell>
</spreadsheet>
Output2.xml
<?xml version="1.0" encoding="utf-8"?>
<spreadsheet>
<cell>
<name>d2</name>
<contents>=d6</contents>
</cell>
</spreadsheet>
查看documentation我看到add_child
方法会Add the node at the given path. Create any missing parents. If there already is a node at the path, add another one with the same key.
我无法弄清楚如何使用add_child
方法,有人可以解释如何使用它吗?
有没有更好的方法来实现我想要的文件格式?
答案 0 :(得分:16)
add_child
成员函数允许您将一个property_tree
作为子节点插入到另一个的DOM中。如果您提供的密钥路径已存在,则会添加重复密钥,而子代将插入其中。如果我们稍微更改您的示例,我们可以检查结果。
#include <boost/property_tree/ptree.hpp>
#include <boost/property_tree/xml_parser.hpp>
int main()
{
// Create the first tree with two elements, name and contents
boost::property_tree::ptree ptr1;
ptr1.put("name", "a2");
ptr1.put("contents", "adsf");
// Create the a second tree with two elements, name and contents
boost::property_tree::ptree ptr2;
ptr2.put("name", "d6");
ptr2.put("contents", "345");
// Add both trees to a third and place them in node "spreadsheet.cell"
boost::property_tree::ptree ptr3;
ptr3.add_child("spreadsheet.cell", ptr1);
ptr3.add_child("spreadsheet.cell", ptr2);
boost::property_tree::write_xml("output.xml", ptr3);
return 0;
}
第一次调用add_child
时,键“spreadsheet.cell”的节点不存在并被创建。然后,它将树的内容(name
和contents
)添加到新创建的节点。第二次调用add_child
时,它会看到“spreadsheet.cell”已经存在,但与put
不同,它会创建一个同样称为“cell”的兄弟节点,并将其插入同一位置。
最终输出:
<?xml version="1.0" encoding="utf-8"?>
<spreadsheet>
<cell>
<name>a2</name>
<contents>adsf</contents>
</cell>
<cell>
<name>d6</name>
<contents>345</contents>
</cell>
</spreadsheet>