当我尝试从 Java 程序的 XML 节点中删除一个节点时,它给了我一个奇怪的问题。它正在删除备用节点。在插入新节点之前,我必须删除现有节点。
我的 xml 文件是:
<?xml version="1.0" encoding="windows-1252" ?>
<chart>
<categories>
<category label="3 seconds"/>
<category label="6 seconds"/>
<category label="9 seconds"/>
<category label="12 seconds"/>
</categories>
</chart>
我的java程序是:
DocumentBuilderFactory docFactory = DocumentBuilderFactory.newInstance();
DocumentBuilder docBuilder = docFactory.newDocumentBuilder();
Document doc = docBuilder.parse(filePath);
Node categories = doc.getElementsByTagName("categories").item(0);
NodeList categorieslist = categories.getChildNodes();
// if exists delete old data the insert new data.
for (int c = 0; c < categorieslist.getLength(); c++) {
Node node = categorieslist.item(c);
categories.removeChild(node);
}
for(int i=1;i<20;i++){
Element category = doc.createElement("category");
category.setAttribute("label",3*i+" seconds");
categories.appendChild(category);
}
此代码正在删除替代节点,我不知道为什么。生成的 XML 显示如下:
<categories>
<category label="6 seconds"/>
<category label="12 seconds"/>
<category label="3 seconds"/>
<category label="6 seconds"/>
<category label="9 seconds"/>
.....
.....
</categories>
最佳答案
每次删除 child 时,列表都会变短,列表不是静态集合,因此每次调用 getLength() 时都会得到实际大小
Node categories = doc.getElementsByTagName("categories").item(0);
NodeList categorieslist = categories.getChildNodes();
while (categorieslist.getLength() > 0) {
Node node = categorieslist.item(0);
node.getParentNode().removeChild(node);
}
关于java - 从 XML 文件中删除节点 java 程序,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/11411604/