使用LINQ to XML选择XML节点(Select Xml Node using Linq to

2019-09-16 10:35发布

我的XML文件:

<?xml version="1.0" encoding="utf-8"?>
<ArrayOfCustomer xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"  xmlns:xsd="http://www.w3.org/2001/XMLSchema">
    <Customer>
        <CustomerId>1f323c97-2015-4a3d-9956-a93115c272ea</CustomerId>
        <FirstName>Aria</FirstName>
        <LastName>Stark</LastName>
        <DOB>1999-01-01T00:00:00</DOB>
    </Customer>
    <Customer>
        <CustomerId>c9c326c2-1e27-440b-9b25-c79b1d9c80ed</CustomerId>
        <FirstName>John</FirstName>
        <LastName>Snow</LastName>
        <DOB>1983-01-01T00:00:00</DOB>
    </Customer>
</ArrayOfCustomer>  

我尝试:

XElement toEdit = 
    (XElement)doc.Descendants("ArrayOfCustomer")
                 .Descendants("Customer")
                 .Where(x => Guid.Parse((x.Descendants("CustomerId") as XElement).Value) == customer.CustomerId)
                 .First<XElement>();

这将引发以下异常:

 Object reference not set to an instance of an object.

1)不xXElement

2)这是一个合适的,其中的λ,用于选择一个XML节点?

3),当然根据你将如何找到这个节点CustomerId

Answer 1:

你的问题是, DescendentsWhere返回IEnumerable<XElement>不是一个单一XElement这就是你追求的。 你可以解决这个问题是这样的:

XElement toEdit = doc.Descendants("ArrayOfCustomer")
                     .Descendants("Customer")
                     .Where(x => Guid.Parse(x.Descendants("CustomerId").Single().Value) == customer.CustomerId)
                     .FirstOrDefault();


Answer 2:

你是不是铸造x你铸造x.Descendants() x.Descendants()返回一个集合,因此多个方法的语义。 把我的头顶部,你应该能够做到x.Descendants("CustomerId").FirstOrDefault() as XElement



Answer 3:

XElement toEdit = (from c in doc.Descendants("Customer")
     where Guid.Parse(c.Value) == customer.CustomerId
     select c).SingleOrDefault();


Answer 4:

我会调整你的查询是这样的:

 XElement toEdit = doc.Descendants("Customer")
                      .Where(x => (Guid)x.Element("CustomerId") == customer.CustomerId)
                      .FirstOrDefault();


文章来源: Select Xml Node using Linq to XML