首先,我必须说我发现Xpath
是一个非常好的解析器,我认为将它与其他解析器进行比较时非常强大。
给出以下代码:
DocumentBuilderFactory domFactory =
DocumentBuilderFactory.newInstance();
domFactory.setNamespaceAware(true);
DocumentBuilder builder = domFactory.newDocumentBuilder();
Document doc = builder.parse("input.xml");
XPath xpath = XPathFactory.newInstance().newXPath();
如果我想找到第1轮和第1轮的first
节点门1,这里:
<Game>
<Round>
<roundNumber>1</roundNumber>
<Door>
<doorName>abd11</doorName>
<Value>
<xVal1>0</xVal1>
<xVal2>25</xVal2>
<pVal>0.31</pVal>
</Value>
<Value>
<xVal1>25</xVal1>
<xVal2>50</xVal2>
<pVal>0.04</pVal>
</Value>
<Value>
<xVal1>50</xVal1>
<xVal2>75</xVal2>
<pVal>0.19</pVal>
</Value>
<Value>
<xVal1>75</xVal1>
<xVal2>100</xVal2>
<pVal>0.46</pVal>
</Value>
</Door>
<Door>
<doorName>vvv1133</doorName>
<Value>
<xVal1>60</xVal1>
<xVal2>62</xVal2>
<pVal>1.0</pVal>
</Value>
</Door>
</Round>
<Round>
<roundNumber>2</roundNumber>
<Door>
<doorName>eee</doorName>
<Value>
<xVal1>0</xVal1>
<xVal2>-25</xVal2>
<pVal>0.31</pVal>
</Value>
<Value>
<xVal1>-25</xVal1>
<xVal2>-50</xVal2>
<pVal>0.04</pVal>
</Value>
<Value>
<xVal1>-50</xVal1>
<xVal2>-75</xVal2>
<pVal>0.19</pVal>
</Value>
<Value>
<xVal1>-75</xVal1>
<xVal2>-100</xVal2>
<pVal>0.46</pVal>
</Value>
</Door>
<Door>
<doorName>cc</doorName>
<Value>
<xVal1>-60</xVal1>
<xVal2>-62</xVal2>
<pVal>0.3</pVal>
</Value>
<Value>
<xVal1>-70</xVal1>
<xVal2>-78</xVal2>
<pVal>0.7</pVal>
</Value>
</Door>
</Round>
</Game>
我会这样做:
XPathExpression expr = xpath.compile("//Round[1]/Door[1]/Value[1]/*/text()");
Object result = expr.evaluate(doc, XPathConstants.NODESET);
NodeList nodes = (NodeList) result;
如果我想要第1轮和第1轮的second
节点门1然后:
XPathExpression expr = xpath.compile("//Round[1]/Door[1]/Value[2]/*/text()");
但是如何使用循环执行此操作,因为我不知道我有多少Value-nodes
,这意味着我如何使用循环执行此操作,其中每次迭代我检索3(我的意思是{ {1}},xVal1
和xVal2
值)值节点的更多值!
要求这个的原因是:
我不知道pVal
- 我有多少
我不知道Round
- 我有多少
我不想每次都宣布新的Value
谢谢。
答案 0 :(得分:7)
选项1 - 迭代文档中的所有Value元素。只需要一次评估,但很难知道该值属于哪个Round或Door元素。
NodeList result = (NodeList) xpath.evaluate("//Round/Door/Value/*/text()", doc, XPathConstants.NODESET);
选项2 - 分别迭代每个Round,Door和Value元素。需要更多评估,但上下文很容易知道。如果需要索引,则很容易为循环添加计数器。
// Get all rounds and iterate over them
NodeList rounds = (NodeList) xpath.evaluate("//Round", doc, XPathConstants.NODESET);
for (Node round : rounds) {
// Get all doors and iterate over them
NodeList doors = (NodeList) xpath.evaluate("Door", round, XPathConstants.NODESET);
for (Node door : doors) {
// Get all values and iterate over them
NodeList values = (NodeList) xpath.evaluate("Value/*/text()", door, XPathConstants.NODESET);
for (Node value : values) {
// Do something
}
}
}
选项3 - 根据您的要求执行上述操作的某些组合
请注意,我已删除了表达式编译步骤以缩短示例。应该重新添加它以提高性能。