Linq到XML -提取单个元素

本文关键字:单个 元素 提取 XML Linq | 更新日期: 2023-09-27 18:02:29

我有一个XML/Soap文件,看起来像这样:

<?xml version="1.0" encoding="utf-8"?>
<soap:Envelope xmlns:soap="http://www.w3.org/2003/05/soap-envelope" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema">
  <soap:Body>
    <SendData xmlns="http://stuff.com/stuff">
      <SendDataResult>True</SendDataResult>
    </SendData>
  </soap:Body>
</soap:Envelope>

我想提取SendDataResult值,但我有困难这样做与以下代码和我尝试过的各种其他方法。即使元素中有值,它也总是返回null。

XElement responseXml = XElement.Load(responseOutputFile);
string data = responseXml.Element("SendDataResult").Value;

需要做什么来提取SendDataResult元素

Linq到XML -提取单个元素

您可以使用Descendants后面跟着FirstSingle -目前您正在询问顶级元素是否在它下面直接有SendDataResult元素,它没有。此外,您没有使用正确的名称空间。这应该可以修复:

XNamespace stuff = "http://stuff.com/stuff";
string data = responseXml.Descendants(stuff + "SendDataResult")
                         .Single()
                         .Value;

或者,直接导航:

XNamespace stuff = "http://stuff.com/stuff";
XNamespace soap = "http://www.w3.org/2003/05/soap-envelope";
string data = responseXml.Element(soap + "Body")
                         .Element(stuff + "SendDataResult")
                         .Value;