将具有相同键的节点添加到属性树中

Adding nodes with the same key to a property tree

本文关键字:添加 属性 节点      更新时间:2023-10-16

我正在使用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;
}

基于这个问题,我看到put方法替换了该节点上的任何东西,而不是添加一个新的。这正是我所看到的功能:

输出.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>

在文档中,我看到了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方法,有人能解释一下如何使用吗?

有没有更好的方法来实现我想要的文件格式?

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时,键"电子表格.单元格"的节点不存在,并且已创建。然后,它将树的内容(namecontents(添加到新创建的节点。当您第二次调用add_child时,它会发现"电子表格.单元格"已经存在,但与put不同,它会创建一个也称为"单元格"的同级节点,并将其插入同一位置。

最终输出:

<?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>