我为具有相同子节点名称的节点的所有子节点获取相同的节点值。例如,在我的代码中,我在所有情况下都获得节点名称的节点数据值为ACHRA。我想要获取正确的节点值。请指导。
这是我的代码:
XML代码:
<?xml version='1.0' encoding = 'UTF-8' ?>
<student>
<person>
<name name="AttractMode0" >Achra</name>
<name name="abc" >Elivia</name>
<name name="def" >Christina</name>
<gender name="AttractMode1" >female</gender>
<country name="AttractMode2" >India</country>
</person>
<person>
<name name="AttractMode3" >georg</name>
<gender name="AttractMode4" >male</gender>
<country name="AttractMode5" >Austria</country>
</person>
</student>
C ++代码
#include "pugixml-1.4/src/pugixml.cpp"
#include <iostream>
#include <sstream>
int main()
{
pugi::xml_document doc;
std::string namePerson;
if (!doc.load_file("student.xml")) return -1;
pugi::xml_node persons = doc.child("student");
std::cout << persons.name() << std::endl;
for (pugi::xml_node person = persons.first_child(); person; person = person.next_sibling())
{
for (pugi::xml_attribute attr = person.first_attribute(); attr; attr = attr.next_attribute())
{
std::cout << " " << attr.name() << "=" << attr.value() << std::endl;
}
for (pugi::xml_node child = person.first_child(); child; child = child.next_sibling())
{
std::cout << child.name() <<"="<< person.child_value(child.name())<<std::endl; // get element name
// iterate through all attributes
for (pugi::xml_attribute attr = child.first_attribute(); attr; attr = attr.next_attribute())
{
std::cout << " " << attr.name() << "=" << attr.value() << std::endl;
}
std::cout << std::endl;
}
}
std::cout << std::endl;
}
我的输出是:
student
Person:
name=Achra
name=AttractMode0
name=Achra
name=abc
name=Achra
name=def
gender=female
name=AttractMode1
country=India
name=AttractMode2
Person:
name=georg
name=AttractMode3
gender=male
name=AttractMode4
country=Austria
name=AttractMode5
答案 0 :(得分:1)
引用您的pugixml
图书馆文档:
普通字符数据节点(node_pcdata)表示XML中的纯文本。 PCDATA节点具有值,但没有名称或子/属性。请注意,普通字符数据不是元素节点的一部分,而是具有自己的节点;例如,元素节点可以有多个子PCDATA节点。
只需替换此行:
std::cout << child.name() << "=" << person.child_value(child.name()) << std::endl;
有这样的事情:
pugi::xml_node pcdata = child.first_child();
std::cout << child.name() << " = " << pcdata.value() << std::endl;
输出现在是:
name = Achra
name = AttractMode0
name = Elivia
name = abc
name = Christina
name = def
gender = female
name = AttractMode1
country = India
name = AttractMode2
name = georg
name = AttractMode3
gender = male
name = AttractMode4
country = Austria
name = AttractMode5
您可能还想查看此walker - 这似乎更简单。