从 xml 获取整数和浮点数

Get integers and floats from xml

我正在使用 tinyxml2,我知道如何获取属性字符串,但我也想获取整数、浮点数和布尔值。所以,我有这个代码:

#include <iostream>
#include <fstream>
#include <tinyxml2.h>
using namespace std;
using namespace tinyxml2;

int main()
{
    XMLDocument doc;
    doc.LoadFile("sample.xml");

    XMLElement *titleElement = doc.FirstChildElement("specimen");

    int f = -1;
    if (!titleElement->QueryIntAttribute("age", &f))
        cerr << "Unable to get value!" << endl;

    cout << f << endl;

    return 0;
}

并且sample.xml是:

<?xml version=1.0?>

<specimen>
    <animal>
        Dog
    </animal>
    <age>
        12
    </age>
</specimen>

别担心,xml 文件只是一个假样本,不是真的!

无论如何,我仍然无法获得属性 'age' 中的整数值。如果这不起作用,那么我应该如何使用 tinyxml2 从 xml 文档中获取整数和浮点数?

在您的 if 语句中,您应该像这样测试失败:

if (titleElement->QueryIntAttribute("age", &f) != TIXML_SUCCESS )

我相信,正确的使用方法是 QueryIntText 而不是 QueryIntAttribute - 您正在尝试获取 XML 节点的值,而不是属性。

有关详细信息和用法,请参阅文档:http://www.grinninglizard.com/tinyxml2docs/classtinyxml2_1_1_x_m_l_element.html#a8b92c729346aa8ea9acd59ed3e9f2378

这是我解决问题的方法:

#include <iostream>
#include <fstream>
#include <tinyxml2.h>
using namespace std;
using namespace tinyxml2;

int main()
{
    XMLDocument doc;
    doc.LoadFile("sample.xml");

    auto age = doc.FirstChildElement("specimen")
                 ->FirstChildElement("age");

    int x = 0;

    age->QueryIntText(&x);

    cout << x << endl;

    return 0;
}

我只想说我的 xml 术语有误,所以我混淆了属性和文本。无论如何,这就是我从 xml 文档中获取整数值的方式。