我的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)不是x
和XElement
?
2)这是一个适合选择Xml节点的lambda吗?
3)当然,您如何根据CustomerId
找到此节点?
答案 0 :(得分:4)
您的问题是,Descendents
和Where
会返回IEnumerable<XElement>
而不是XElement
,这就是您所追求的。你可以像这样解决这个问题:
XElement toEdit = doc.Descendants("ArrayOfCustomer")
.Descendants("Customer")
.Where(x => Guid.Parse(x.Descendants("CustomerId").Single().Value) == customer.CustomerId)
.FirstOrDefault();
答案 1 :(得分:2)
你没有施放x
你正在施放x.Descendants()
。 x.Descendants()返回一个集合,因此复数方法语义。在我的头顶,您应该可以x.Descendants("CustomerId").FirstOrDefault() as XElement
答案 2 :(得分:1)
XElement toEdit = (from c in doc.Descendants("Customer")
where Guid.Parse(c.Value) == customer.CustomerId
select c).SingleOrDefault();
答案 3 :(得分:1)
我会像这样重构您的查询:
XElement toEdit = doc.Descendants("Customer")
.Where(x => (Guid)x.Element("CustomerId") == customer.CustomerId)
.FirstOrDefault();