使用LINQ c#检查是否存在带有特定属性的XML节点

本文关键字:属性 节点 XML LINQ 检查 是否 存在 使用 | 更新日期: 2023-09-27 18:02:30

这是我的XML:

<configuration>
    <Script name="Test Script">
        <arguments>
            <argument key="CheckStats" value="True" />
            <argument key="ReferenceTimepoint" value="SCREENING" />
            <argument key="outputResultSetName" value="ResultSet" />
        </arguments>
    </Script>
</configuration>

如果存在特定的key属性,我试图使用这个linq语句来抓取argument元素的value属性。

XElement root = XElement.Load(configFileName);
var AttrVal = from el in root.Elements("Script").Elements("arguments").Elements("argument")
            where el.Attribute("key").Value == "CheckStats"
            select el.Attribute("value").Value;

然后我想尝试将属性value解析为布尔值:

bool checkVal;
if (AttrVal != null)
{
    if (!bool.TryParse(AttrVal.First().ToString(), out checkVal))
    {
        throw new Exception(string.Format("Invalid value"));
    }
}

如果存在具有该属性的元素,则此代码有效,但如果没有,则得到System.InvalidOperationException: Sequence contains no elements

我怎么才能避开呢?我想通过检查if (AttrVal != null),它会起作用。我应该用if (AttrVal.FirstOrDefault() != null)或类似的东西代替它吗?由于

使用LINQ c#检查是否存在带有特定属性的XML节点

在if语句中,可以写

if (AttrVal != null && AttrVal.Any())

EDIT:我错了。异常应该来自First(),而不是任何Elements()。老答:

from el in root.Descendants("argument")

from el in root.XPathSelectElements("./Script/arguments/argument")

你必须检查是否已经有你的属性在元素where el.Attributes("key")!=null&&

XElement root = XElement.Load("config.xml");
            var AttrVal = from el in root.Elements("Script").Elements("arguments").Elements("argument")
                          where el.Attributes("key")!=null&&  el.Attribute("key").Value == "CheckStats"
                          select el.Attribute("value").Value;
            bool checkVal;
            if (AttrVal != null)
            {
                if (!bool.TryParse(AttrVal.First().ToString(), out checkVal))
                {
                    throw new Exception(string.Format("Invalid value"));
                }
            }

这里有一种方法可以消除那些讨厌的空检查-查找XPath以确定是否存在具有必要属性(即key="CheckStats"value)的节点,然后解析它。

     bool checkVal;
     // using System.Xml.XPath;!
     var el = root.XPathSelectElement(
                    "/Script/arguments/argument[@key='CheckStats' and @value]");
     if (el != null && !bool.TryParse(el.Attribute("value").Value, 
         out checkVal))
     {
        throw new Exception(string.Format("Invalid value"));
     }