我正在尝试查询属性树中的多值键。 我参考了This SO link。
这是我的一个Xml:
<Element type="MyType">
<Name type="Number">
<KeyFrame time="0">1920</KeyFrame>
<KeyFrame time="3000">1080</KeyFrame>
<KeyFrame time="4000">720</KeyFrame>
</Name>
</Element>
以下是代码:
#include <boost/property_tree/ptree.hpp>
#include <boost/property_tree/xml_parser.hpp>
#include <sstream>
#include <iostream>
using boost::property_tree::ptree;
int main() {
std::stringstream ss("<Element type=\"MyType\">"
"<Name type=\"Number\">"
"<KeyFrame time=\"0\">1920</KeyFrame>"
"<KeyFrame time=\"3000\">1080</KeyFrame>"
"<KeyFrame time=\"4000\">720</KeyFrame></Name>"
"</Element>");
ptree pt;
boost::property_tree::read_xml(ss, pt);
auto& root = pt.get_child("Element");
for (auto& child : root.get_child("Name"))
{
if(child.first == "KeyFrame")
{
std::cout<<child.second.get<int>("<xmlattr>.time", 0)<<" : "<<child.second.data()<<std::endl;
}
}
}
在这里,我可以通过指定类型<xmlattr>.time
来访问int
,但是使用child.second.data()
在字符串中停用该值。
我可以指定值的类型吗?像child.second.get<int>
这样的东西,所以我得到ex int,double等类型的值而不是字符串。
答案 0 :(得分:1)
我建议get_value<>
:
<强> Live On Coliru 强>
#include <boost/property_tree/ptree.hpp>
#include <boost/property_tree/xml_parser.hpp>
#include <iostream>
#include <sstream>
std::string const sample = R"(<Element type="MyType">
<Name type="Number">
<KeyFrame time="0">1920</KeyFrame>
<KeyFrame time="3000">1080</KeyFrame>
<KeyFrame time="4000">720</KeyFrame>
</Name>
</Element>)";
using boost::property_tree::ptree;
int main() {
std::stringstream ss(sample);
ptree pt;
boost::property_tree::read_xml(ss, pt);
auto &root = pt.get_child("Element");
for (auto &child : root.get_child("Name")) {
if (child.first == "KeyFrame") {
auto node = child.second;
std::cout << node.get<int>("<xmlattr>.time", 0) << " : "
<< node.get_value<int>() << std::endl;
}
}
}
打印
0 : 1920
3000 : 1080
4000 : 720