更好的阅读xml的方法

时间:2011-07-08 07:37:06

标签: c# linq-to-xml

我有xml文件

<root>
  <child_1>
    <sub_child attr1="text" attr2="text" />
    <sub_child attr1="text" attr2="text" />
    <sub_child attr1="text" attr2="text" />
  </child_1>    
  <child_2>
    <sub_child attr1="text" attr2="text" />
    <sub_child attr1="text" attr2="text" />
    <sub_child attr1="text" attr2="text" />
  </child_2>    
  <child_3>
    <sub_child_1 attr1="text" attr2="text" />
    <sub_child_2 attr1="text" attr2="text" />
  </child_3>    
  ...

我希望将sub_child属性读取到类

class SubChild {
  string a1;
  string a2;
}

我需要为child_1和child_2提供两个SubChild对象列表,为sub_child_1和sub_child_2提供两个SubChild对象

现在我使用linq到xml,我的代码是

// List<SubChild> 
var child_1 = from s in doc.Descendants("sub_child").Where(x => x.Parent.Name == "child_1")
              select new SubChild {
                a1 = s.Attribute("attr1").Value,
                a2 = s.Attribute("attr2").Value,
              };

// List<SubChild> 
var child_2 = from s in doc.Descendants("sub_child").Where(x => x.Parent.Name == "child_2")
              select new SubChild {
                a1 = s.Attribute("attr1").Value,
                a2 = s.Attribute("attr2").Value,
              };

// SubChild
var sub_1 = (from s in doc.Descendants("sub_child_1")
              select new SubChild {
                a1 = s.Attribute("attr1").Value,
                a2 = s.Attribute("attr2").Value,
              }).First();

// SubChild
var sub_2 = (from s in doc.Descendants("sub_child_2")
              select new SubChild {
                a1 = s.Attribute("attr1").Value,
                a2 = s.Attribute("attr2").Value,
              }).First();

但它看起来很难看,我想问一下有更明确的方法吗?

3 个答案:

答案 0 :(得分:2)

您可以使用.Element().Elements()指定“路径”,从而消除where lambda。

 // untested
 var child_1 = from s in doc.Root.Element("child_1").Elements("sub_child")
          select new SubChild {
            a1 = s.Attribute("attr1").Value,
            a2 = s.Attribute("attr2").Value,
          };

答案 1 :(得分:1)

要进一步了解,您可以创建一个包含元素的所有子子元素的字典。这样您就可以按名称直接访问每个元素的SubChild

Dictionary<string, List<SubChild>> dict = doc.Root.Elements().ToDictionary(
    e => e.Name.ToString(),
    e => e.Elements("sub_child")
          .Select(s => new SubChild
                       {
                           a1 = s.Attribute("attr1").Value,
                           a2 = s.Attribute("attr2").Value,
                       }).ToList());
dict["child_1"][0] // get the first subchild of "child_1"

答案 2 :(得分:0)

你真的必须使用linq到xml吗?

public IEnumerable<SubChild> GetSubChilds(XmlDocument xd)
{
   foreach (XmlNode subChild in xd.SelectNodes("/root/*/*"))
   {
       if (subChild.Name.StartsWith("sub_child"))
       {
           XmlAttributeCollection atts = subChild.Attributes;
           yield return new SubChild { a1 = atts["attr1"].Value, a2 = atts["attr2"].Value };
       }
   }
}