C#如何在另一个Linq语句中的XmlAttributeCollection上使用Linq?

时间:2018-07-06 09:14:34

标签: c# xml linq xmlnode xmlattributecollection

我有一个带有子元素的XML元素,像这样:

<Groups>
    <Group1 name="first" value="1" />
    <Group2 value="2" name="second" />
    <Group3 value="3" />
</Groups>

我正在使用一个已经存在的方法MyMethod()来获取Groups元素,该元素返回一个XmlNodeList对象,该对象被强制转换为XmlNode。之后,我想使用Linq语句仅获取其中具有name属性的那些组,并将这些名称存储在字符串列表中。

在下面的代码段中,我试图检查XML节点的第一个属性名称是否等于"name",但是"name"属性可能并不总是第一个。您能否在这里帮助我,并告诉我如何在下面的Attributes属性上使用另一个Linq语句? Attributes属性的类型为XmlAttributeCollection

List<string> result = MyMethod().Cast<XmlNode>()
    .Where(node => node.Attributes[0].Name == "name")
    .Select(node => node.Attributes[0].Value).ToList();

编辑: 我设法使用内置方法GetNamedItem找到了解决方案:

List<string> result = MyMethod().Cast<XmlNode>()
    .Where(node => node.Attributes?.GetNamedItem("name") != null)
    .Select(node => node.Attributes?.GetNamedItem("name").Value).ToList();

2 个答案:

答案 0 :(得分:0)

您对此有何看法?

List<string> result = MyMethod().Cast<XmlNode>()
    .SelectMany(node => node.Attributes).Where(a => a.Name == "name");

要符合您的目标,以获得具有特定名称的对象,完整代码将变为:

List<string> result = MyMethod().Cast<XmlNode>()
        .SelectMany(node => node.Attributes).Where(a => a.Name == "name")
        .Select(a=> a.Value).ToList();

答案 1 :(得分:0)

您问题的关键方法是扩展方法.SelectMany,该方法从集合的集合中返回展平的集合。

作为替代方案,您可以使用LINQ to XML(听起来像是正确的工作工具;)

var document = XDocument.Load("pathToXmlFile");

// Here you can use more complex logic of "MyMehthod" 
var allGroups = document.Descendants("Groups");

var names = allGroups.SelectMany(groups => groups.Elements())
                     .Where(group => group.Attribute("name"))
                     .Where(attribute => attribute != null)
                     .Select(attribute => attribute.Value)
                     .ToList();