让我们假设我们有这个xml:
<?xml version="1.0" encoding="UTF-8"?>
<tns:RegistryResponse status="urn:oasis:names:tc:ebxml-regrep:ResponseStatusType:Failure"
xmlns:tns="urn:oasis:names:tc:ebxml-regrep:xsd:rs:3.0"
xmlns:rim="urn:oasis:names:tc:ebxml-regrep:xsd:rim:3.0">
<tns:RegistryErrorList highestSeverity="">
<tns:RegistryError codeContext="XDSInvalidRequest - DcoumentId is not unique."
errorCode="XDSInvalidRequest"
severity="urn:oasis:names:tc:ebxml-regrep:ErrorSeverityType:Error"/>
</tns:RegistryErrorList>
</tns:RegistryResponse>
要检索RegistryErrorList元素,我们可以
XDocument doc = XDocument.Load(<path to xml file>);
XNamespace ns = "urn:oasis:names:tc:ebxml-regrep:xsd:rs:3.0";
XElement errorList = doc.Root.Elements( ns + "RegistryErrorList").SingleOrDefault();
但不喜欢这个
XElement errorList = doc.Root.Elements("RegistryErrorList").SingleOrDefault();
有没有办法在没有元素名称空间的情况下进行查询。基本上有一些特别的东西 类似于在XPath中使用local-name()(即// * [local-name()='RegistryErrorList'])
答案 0 :(得分:8)
var q = from x in doc.Root.Elements()
where x.Name.LocalName=="RegistryErrorList"
select x;
var errorList = q.SingleOrDefault();
答案 1 :(得分:2)
在“method”语法中,查询看起来像:
XElement errorList = doc.Root.Elements().Where(o => o.Name.LocalName == "RegistryErrorList").SingleOrDefault();
答案 2 :(得分:0)
以下扩展将返回来自XDocument(或任何XContainer)任何级别的匹配元素的集合。
public static IEnumerable<XElement> GetElements(this XContainer doc, string elementName)
{
return doc.Descendants().Where(p => p.Name.LocalName == elementName);
}
您的代码现在看起来像这样:
var errorList = doc.GetElements("RegistryErrorList").SingleOrDefault();