我必须解析一个xml文件,其中有很多名称值对。 我必须更新值,以防它匹配给定的名称。 我选择了DOM解析,因为它可以轻松遍历任何部分,并可以快速更新值。 然而,当我在我的示例文件上运行它时,它给了我一些有线结果。
我是DOM的新手,所以如果有人可以帮助它可以解决我的问题。 我尝试了各种各样的东西,但都导致内容的空值或#text节点名称。 我无法获取标签的文本内容。
DocumentBuilderFactory documentBuilderFactory = DocumentBuilderFactory.newInstance();
DocumentBuilder documentBuilder = documentBuilderFactory.newDocumentBuilder();
Document document = documentBuilder.parse(xmlFilePath);
//This will get the first NVPair
Node NVPairs = document.getElementsByTagName("NVPairs").item(0);
//This should assign nodes with all the child nodes of NVPairs. This should be ideally
//<nameValuePair>
NodeList nodes = NVPairs.getChildNodes();
for (int i = 0; i < nodes.getLength(); i++) {
Node node = nodes.item(i);
// I think it will consider both starting and closing tag as node so checking for if it has
//child
if(node.hasChildNodes())
{
//This should give me the content in the name tag.
//However this is not happening
if ("Tom".equals(node.getFirstChild().getTextContent())) {
node.getLastChild().setTextContent("2000000");
}
}
}
示例xml
<?xml version="1.0" encoding="UTF-8" standalone="no"?><application>
<NVPairs>
<nameValuePair>
<name>Tom</name>
<value>12</value>
</nameValuePair>
<nameValuePair>
<name>Sam</name>
<value>121</value>
</nameValuePair>
</NVPairs>
答案 0 :(得分:0)
#getChildNodes()
和#getFirstChild()
返回所有类型的节点,而不仅仅是Element节点,在这种情况下,<name>Tom</name>
的第一个子节点是Text节点(带换行符和空格)。所以你的测试永远不会真实。
但是,在这种情况下,使用XPath总是更方便:
XPath xpath = XPathFactory.newInstance().newXPath();
NodeList nodes = (NodeList) xpath.evaluate(
"//nameValuePair/value[preceding-sibling::name = 'Tom']", document,
XPathConstants.NODESET);
for (int i = 0; i < nodes.getLength(); i++) {
Node node = nodes.item(i);
node.setTextContent("2000000");
}
即,返回具有前一个兄弟元素<name>
的所有<name>
元素,其值为'Tom'。