使用TinyXML读取所有同级元素

时间:2019-02-19 14:22:05

标签: c++ visual-studio tinyxml2

我在读取XML文件时遇到问题!下面的代码用于从XML文件中获取儿童的值(国家/地区),但是我需要遍历所有兄弟姐妹(所有三个国家),并且我需要一个解决方案,该解决方案也可以用于无限数量的兄弟姐妹。我的xml文件如下所示:

<?xml version="1.0"?>
<data>
    <country name ="Liechteinstein">
        <rank>1</rank>
        <year>2008</year>
        <gdppc>141100</gdppc>
        <neighbor name="Austria" direction="E"/>
        <neighbor name="Switzerland" direction="W"/>
    </country>
    <country name="Singapore">
        <rank>4</rank>
        <year>2011</year>
        <gdppc>59900</gdppc>
        <neighbor name="Malaysia" direction="N"/>
    </country>
    <country name="Panama">
        <rank>68</rank>
        <year>2011</year>
        <gdppc>13600</gdppc>
        <neighbor name="Costa Rica" direction="W"/>
        <neighbor name="Colombia" direction="E"/>
    </country>
</data>

我有这样的代码:

XMLDocument doc;
doc.LoadFile("test.xml");
tinyxml2::XMLElement* countryElement = doc.FirstChildElement("data")->FirstChildElement("country");


ofstream myfile;
myfile.open("result.txt", ios::out | ios::app );
    for (tinyxml2::XMLElement* child = countryElement->NextSiblingElement()->FirstChildElement(); child != NULL; child = child->NextSiblingElement())
    {
        myfile << child->GetText() << endl;
    }
    myfile.close();

这将读取第一个国家的所有值,但我需要将所有三个国家的值读写到txt文件中。我尝试使用for循环来进行兄弟姐妹添加

countryElement = countryElement->NextSiblingElement()在for循环结束时,但是没有用。有人可以帮我吗?预先感谢!

1 个答案:

答案 0 :(得分:1)

我建议两个循环。一个环游各国,另一个环游邻国:

int main() {
    tinyxml2::XMLDocument doc;
    doc.LoadFile("test.xml");
    tinyxml2::XMLElement* dataElement = doc.FirstChildElement("data");

    std::ofstream myfile;
    myfile.open("result.txt", std::ios::out | std::ios::app);

    for (tinyxml2::XMLElement* countryElement = dataElement->FirstChildElement("country");
        countryElement != NULL; countryElement = countryElement->NextSiblingElement())
    {
        myfile << "Country name: " << countryElement->Attribute("name") << std::endl;
        myfile << "Rank: " << countryElement->FirstChildElement("rank")->GetText() << std::endl;
        myfile << "Year: " << countryElement->FirstChildElement("year")->GetText() << std::endl;
        myfile << "gdppc: " << countryElement->FirstChildElement("gdppc")->GetText() << std::endl;

        for (tinyxml2::XMLElement* child = countryElement->FirstChildElement("neighbor");
            child != NULL; child = child->NextSiblingElement())
        {
            myfile << "Neighbor: " << child->Attribute("name") << std::endl;
        }
        myfile << std::endl;
    }
    myfile.close();
}

输出:

Country name: Liechteinstein
Rank: 1
Year: 2008
gdppc: 141100
Neighbor: Austria
Neighbor: Switzerland

Country name: Singapore
Rank: 4
Year: 2011
gdppc: 59900
Neighbor: Malaysia

Country name: Panama
Rank: 68
Year: 2011
gdppc: 13600
Neighbor: Costa Rica
Neighbor: Colombia