我想读取一个找到多个测试的xml文件,但是我总是得到第一个测试,并且它不会退出循环。 如果我做的很好,但是当我做起泡的时候,我将无法继续进行下一个测试。
如果我使用// // pBodys = pRoot-> NextSiblingElement(“ Test”); 我错过了2次迭代中的错误, (https://i.gyazo.com/9a108bf422299b66abfe91127668a63c.png) 如果我不使用它,它将陷入无限循环
(https://i.gyazo.com/133be25514a8a000fce87e2fc7cc52ad.png)
我不能继续前进。 对不起,谷歌翻译。 问候
int main()
{
XMLDocument doc;
doc.LoadFile("example.xml");
XMLElement *pRoot, *pBodys, *pParms, *pParms2, *pProcess, *pApp, *pLineFormat, *pParm, *pParm2, *count;
pRoot = doc.FirstChildElement("Tests");
if (pRoot)
{
count = pRoot->FirstChildElement("count");
std::cout << "cont=" << count->Attribute("cont") << std::endl;
pBodys = pRoot->FirstChildElement("Test");
//for (int i = 0; i < (int)count->Attribute("cont"); i++) {
std::cout << "id=" << pBodys->Attribute("id") << std::endl;
if (pBodys) {
pParms = pBodys->FirstChildElement("Inputs");
if (pParms)
{
pParm = pParms->FirstChildElement("Input");
while (pParm) {
std::cout << "port=" << pParm->Attribute("port") << " ";
std::cout << "value=" << pParm->Attribute("value") << std::endl;
pParm = pParm->NextSiblingElement("Input");
}
}
pParms2 = pBodys->FirstChildElement("Outputs");
if (pParms2)
{
pParm2 = pParms2->FirstChildElement("Output");
while (pParm2) {
std::cout << "port=" << pParm2->Attribute("port") << " ";
std::cout << "value=" << pParm2->Attribute("value") << std::endl;
pParm2 = pParm2->NextSiblingElement("Output");
}
}
}
//pBodys = pRoot->NextSiblingElement("Test");
//}
}
return 0;
}
DOC example.xml
<Tests>
<count cont="2"></count>
<Test id="test0">
<Inputs>
<Input port="A" value="1" />
<Input port="B" value="4.56" />
<Input port="C" value="7" />
</Inputs>
<Outputs>
<Output port="D" value="10" />
</Outputs>
</Test>
<Test id="test1">
<Inputs>
<Input port="K" value="3" />
<Input port="L" value="9.56" />
</Inputs>
<Outputs>
<Output port="P" value="6" />
</Outputs>
</Test>
</Tests>
答案 0 :(得分:0)
问题在于XMLElement.Attribute返回一个表示C字符串的const char*
,而不是int
。所以这段代码
(int)count->Attribute("cont");
是不正确的,因为您正在将指针转换为整数(通常会导致很大的整数值,因此显然是无限循环)。
您需要做的是将属性转换为int
,而不进行强制转换。一种方法是使用atoi
函数
int numTests = atoi(count->Attribute("cont"));
for (int i = 0; i < numTests; ++i) {
请注意,此代码中没有错误检查(属性缺失或不是整数形式会怎样?)。
重要的是要了解转换和将一种类型转换为另一种类型之间的区别。他们并不总是做相同的事情,仅添加强制类型转换以使编译器错误消息消失就很少是正确的事情。