RemoveChild删除具有该名称的第一个孩子,但跳过下一个具有相同名称的孩子

时间:2018-12-05 08:50:45

标签: java xml removechild clonenode

我有这个节点

<Record status="updated">
    <ID_Country>5</ID_Country>
    <ID_Currency>162</ID_Currency>
    <IsoCodeNumber>16  </IsoCodeNumber>
    <IsoCodeLetter version="old">AS  </IsoCodeLetter>
    <IsoCodeLetter version="new">ASAS  </IsoCodeLetter>
    <PostCode>    </PostCode>
    <CountryName>American Samoa  </CountryName>                        
    <isEuCountry>0</isEuCountry>
</Record>

我正在尝试将该节点添加到另一个XML文件中,看起来像这样。

<Record>
     <ID_Country>5</ID_Country>
     <ID_Currency>162</ID_Currency>
     <IsoCodeNumber>16  </IsoCodeNumber>         
     <IsoCodeLetter>ASAS  </IsoCodeLetter>
     <PostCode>    </PostCode>
     <CountryName>American Samoa  </CountryName>                        
     <isEuCountry>0</isEuCountry>
</Record>

这是我使用的代码

Node updatedNode = diffNode.cloneNode(true);
((Element) updatedNode).removeAttribute("status");    

for (int i = 0; i < updatedNode.getChildNodes().getLength(); i++)
{
    if (updatedNode.getChildNodes().item(i).getNodeType() == Node.ELEMENT_NODE)
    {                           
         Element e = (Element)updatedNode.getChildNodes().item(i);
         String string = e.getNodeName();

         if (e.hasAttribute("version") && e.getAttribute("version").equals("old"))
         {                 
              ((Element) updatedNode).removeChild((Node)e);                                
         }
         if(e.hasAttribute("version") && e.getAttribute("version").equals("new"))
         {              
               e.removeAttribute("version");
         }
    }
} 
productXML.adoptNode(updatedNode);
prodRoot.insertBefore(updatedNode, nextNode);

由于某种原因,当循环遍历第一个IsoCodeLetter节点并将其删除时,它将跳过下一个IsoCodeLetter并转到PostCode,但是第二个IsoCodeLetter仍位于新的Node中,我将其附加到XML文件中并查找这样。

<Record>
      <ID_Country>5</ID_Country>
      <ID_Currency>162</ID_Currency>
      <IsoCodeNumber>16  </IsoCodeNumber>         
      <IsoCodeLetter version="new">ASAS  </IsoCodeLetter>
      <PostCode>    </PostCode>
      <CountryName>American Samoa  </CountryName>                        
      <isEuCountry>0</isEuCountry>
</Record>

您是否知道为什么会发生以及如何解决? 我正在使用DOMParser编写XML文件。

1 个答案:

答案 0 :(得分:2)

通过从元素中删除一个孩子,就可以从子节点中删除它,这意味着下一个孩子现在位于被删除孩子的索引处。但是,循环将继续使用 next 索引,跳过该子级。例如:假设您有:

0: Child A
1: Child B
2: Child C
3: Child D

对于i == 0,假设您没有删除子项A。您的循环将一个添加到i,然后继续i == 1。您删除孩子B。现在您有了:

0: Child A
1: Child C
2: Child D

..但是您的循环将一个添加到i到现在的i == 2中,并且您看到的下一个孩子是孩子D。您从未看过孩子C。

通常的解决方案是:

  1. 向后循环,因此索引在减少,因此,是否在给定索引处删除子项并不重要;或

  2. 在修改元素之前先获取子节点列表的快照,这样,当您从元素中删除子节点时,不会从快照中将其删除

后退是很容易的改变:

for (int i = updatedNode.getChildNodes().getLength() - 1; i >= 0; i--)

旁注:我可能还会一次调用getChildNodes,然后重用生成的NodeList对象:

NodeList children = updatedNode.getChildNodes();
for (int i = children.getLength() - 1; i >= 0; i--)
    // ...and use `children`, not `updatedNode.getChildNodes()`, in the loop body...
}