LINQ to Xml选择元素

时间:2014-06-18 10:13:37

标签: c# xml linq

我有一些真正的问题,从我的XML中获取元素值。我似乎总是遇到XML问题。适用于其他人的代码对我来说不合适,我必须遗漏一些东西,但我不知道是什么。

我有以下XML:

    <?xml version="1.0" encoding="UTF-8"?>
<license xmlns="http://http://lilleker-it.co.uk/" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">
   <SID>S-1-5-21-1231312-12344234-12312312</SID>
   <Email>me@myurl.com</Email>
   <Signature xmlns="http://www.w3.org/2000/09/xmldsig#">
      <SignedInfo>
         <CanonicalizationMethod Algorithm="http://www.w3.org/TR/2001/REC-xml-c14n-20010315" />
         <SignatureMethod Algorithm="http://www.w3.org/2000/09/xmldsig#rsa-sha1" />
         <Reference URI="">
            <Transforms>
               <Transform Algorithm="http://www.w3.org/2000/09/xmldsig#enveloped-signature" />
            </Transforms>
            <DigestMethod Algorithm="http://www.w3.org/2000/09/xmldsig#sha1" />
            <DigestValue>aZd9Jsbqif+8KKRYuaKzuXTLPGA=</DigestValue>
         </Reference>
      </SignedInfo>
      <SignatureValue>PB613rI/Nh4E3LBY0pG52vTCsH6dple2nXXjnnHhpsW2ZOG6lcMPmPmQWAzZVEPDPACg44Tn37hBoRBoRZ4T98qwB5tRfDRD9jXgcC912334dfDFADdcdkoYXTSiVaVWsUe4x3T665VKf8Dej2e9bFXOuhCegXA5BP1Jeak=</SignatureValue>
   </Signature>
</license>

我需要的是选择电子邮件和SID的值,但是我似乎无法让它工作,我尝试了以下代码:

var query = doc.Descendants("license").Select(s => new
                {
                    EMAIL = s.Element("Email").Value,
                    SID = s.Element("SID").Value
                }).ToList();
                string e = query[0].EMAIL;
                string id = query[0].SID;

以及:

string e = doc.Root.Element("license")
              .Elements("Email")
              .SingleOrDefault()
              .Value;

这些都没有返回值,总是为null,我看不出原因。

1 个答案:

答案 0 :(得分:1)

您的两个示例代码段都会失败,因为它们正在查找无命名空间中的元素。您的第二个示例失败,因为您在根元素下寻找license元素,而实际上根元素。

您需要使用正确的命名空间。例如,要修复您的第一个查询(因为看起来它正在做更多您想要的事情),您可以使用:

XNamespace ns = "http://http://lilleker-it.co.uk/";
var query = doc.Descendants(ns + "license").Select(s => new
                {
                    EMAIL = s.Element(ns + "Email").Value,
                    SID = s.Element(ns + "SID").Value
                }).ToList();
string e = query[0].EMAIL;
string id = query[0].SID;

虽然我亲自处理它的方式不同:

XNamespace ns = "http://http://lilleker-it.co.uk/";
string e = (string) doc.Root.Element(ns + "Email");
string id = (string) doc.Root.Element(ns + "SID");

这里根本不需要使用LINQ查询 - 只需找到具有正确名称的根下的第一个元素,然后将其转换为字符串。如果缺少相应的元素,这将为nulls中的每一个提供id值,因此您可以轻松地检测到并适当地处理它。