我正在尝试使用XPath来选择具有Location
值的构面的项目,但是目前我甚至尝试选择所有项目都失败:系统很高兴地报告它找到了0项,然后返回(相反,节点应由foreach
循环处理)。我很感激帮助制作原始查询或者让XPath完全正常工作。
XML
<?xml version="1.0" encoding="UTF-8" ?>
<Collection Name="My Collection" SchemaVersion="1.0" xmlns="http://schemas.microsoft.com/collection/metadata/2009" xmlns:p="http://schemas.microsoft.com/livelabs/pivot/collection/2009" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema">
<FacetCategories>
<FacetCategory Name="Current Address" Type="Location"/>
<FacetCategory Name="Previous Addresses" Type="Location" />
</FacetCategories>
<Items>
<Item Id="1" Name="John Doe">
<Facets>
<Facet Name="Current Address">
<Location Value="101 America Rd, A Dorm Rm 000, Chapel Hill, NC 27514" />
</Facet>
<Facet Name="Previous Addresses">
<Location Value="123 Anywhere Ln, Darien, CT 06820" />
<Location Value="000 Foobar Rd, Cary, NC 27519" />
</Facet>
</Facets>
</Item>
</Items>
</Collection>
C#
public void countItems(string fileName)
{
XmlDocument document = new XmlDocument();
document.Load(fileName);
XmlNode root = document.DocumentElement;
XmlNodeList xnl = root.SelectNodes("//Item");
Console.WriteLine(String.Format("Found {0} items" , xnl.Count));
}
除了这个方法还有更多的方法,但由于这一切都在运行,我假设问题就在这里。致电root.ChildNodes
会准确地返回FacetCategories
和Items
,因此我完全不知所措。
感谢您的帮助!
答案 0 :(得分:18)
您的根元素有一个命名空间。您需要添加名称空间解析程序并在查询中为元素添加前缀。
This article解释了解决方案。我修改了你的代码,以便得到1个结果。
public void countItems(string fileName)
{
XmlDocument document = new XmlDocument();
document.Load(fileName);
XmlNode root = document.DocumentElement;
// create ns manager
XmlNamespaceManager xmlnsManager = new XmlNamespaceManager(document.NameTable);
xmlnsManager.AddNamespace("def", "http://schemas.microsoft.com/collection/metadata/2009");
// use ns manager
XmlNodeList xnl = root.SelectNodes("//def:Item", xmlnsManager);
Response.Write(String.Format("Found {0} items" , xnl.Count));
}
答案 1 :(得分:9)
因为您的根节点上有一个XML命名空间,所以XML文档中没有“Item”,只有“[namespace]:Item”,因此在搜索带有XPath的节点时,您需要指定命名空间。
如果您不喜欢这样,可以使用local-name()函数匹配其本地名称(除前缀之外的名称部分)是您要查找的值的所有元素。它的语法有点难看,但它确实有用。
XmlNodeList xnl = root.SelectNodes("//*[local-name()='Item']");