23

鉴于此 xml 文档

<listOfItem>
  <Item id="1"> 
    <attribute1 type="foo"/>
    <attribute2 type="bar"/>
    <property type="x"/>
    <property type="y"/>
    <attribute3 type="z"/>
  </Item>
  <Item>
   //... same child nodes
  </Item>
 //.... other Items
</listOfItems>

鉴于此 xml 文档,我想为每个“Item”节点选择“property”子节点。我怎样才能直接在c#中做到这一点?“直接”是指不选择 Item 的所有子节点,然后一一检查。至今:

XmlNodeList nodes = xmldoc.GetElementsByTagName("Item");
foreach(XmlNode node in nodes)
{
   doSomething()
   foreach(XmlNode child in node.ChildNodes)
   {
     if(child.Name == "property")
     {
        doSomethingElse()
     }
   }
}
4

2 回答 2

35

您可以使用SelectNodes(xpath)方法而不是ChildNodes属性:

foreach(XmlNode child in node.SelectNodes("property"))
{
    doSomethingElse()
}

演示。

于 2015-05-21T09:50:14.740 回答
5

尝试使用 LINQ to XML 而不是 XML DOM,因为对于您想要做的事情来说,它的语法要简单得多。

XDocument doc = XDocument.Load(filename);
foreach (var itemElement in doc.Element("listOfItems").Elements("Item"))
{
   var properties = itemElement.Elements("property").ToList();
}
于 2015-05-21T09:47:42.777 回答