使用XmlNamespaceManager从XmlNode中进行选择

时间:2013-04-11 13:47:27

标签: c# .net xml

我一直在寻找一种方法来从具有多个命名空间的XmlNode(NOT AN XmlDocument)中选择节点。

我搜索过的几乎所有帖子都建议我使用XmlNamespaceManager,但XmlNamespaceManager需要XmlNameTable XmlNode不存在XmlDocument

我尝试使用XmlDocument执行此操作,因为XmlDocument.NameTable具有属性XmlDocument,但它不起作用,但XmlNode不存在。

我尝试手动创建一个NameTable,但是当我使用XmlNode时,它不起作用,因为同一段代码可以正常工作。我想我需要用某些东西填充NameTable,或者以某种方式将它绑定到{{1}}以使其工作。请建议。

2 个答案:

答案 0 :(得分:3)

你能用吗

XPathNavigator nav = XmlNode.CreateNavigator();
XmlNamespaceManager man = new XmlNamespaceManager(nav.NameTable);

包括其他内容,以防它有用:

man.AddNamespace("app", "http://www.w3.org/2007/app"); //Gotta add each namespace
XPathNodeIterator nodeIter = nav.Select(xPathSearchString, man);

while (nodeIter.MoveNext())
{
    var value = nodeIter.Current.Value;
}

http://msdn.microsoft.com/en-us/library/system.xml.xmlnode.createnavigator.aspx

答案 1 :(得分:0)

由于某种原因,XmlNamespaceManager不会自动加载文档中定义的命名空间(这似乎是一个简单的期望)。由于某种原因,名称空间声明被视为属性。我能够使用以下代码自动添加命名空间。

private static XmlNamespaceManager AddNamespaces(XmlDocument xmlDoc)
{
    XmlNamespaceManager nsmgr = new XmlNamespaceManager(xmlDoc.NameTable);
    AddNamespaces(xmlDoc.ChildNodes, nsmgr);
    return nsmgr;
}
private static void AddNamespaces(XmlNodeList nodes, XmlNamespaceManager nsmgr) {
    if (nodes == null)
        throw new ArgumentException("XmlNodeList is null");

    if (nsmgr == null)
        throw new ArgumentException("XmlNamespaceManager is null");

    foreach (XmlNode node in nodes)
    {
        if (node.NodeType == XmlNodeType.Element)
        {
            foreach (XmlAttribute attr in node.Attributes)
            {
                if (attr.Name.StartsWith("xmlns:"))
                {
                    String ns = attr.Name.Replace("xmlns:", "");
                    nsmgr.AddNamespace(ns, attr.Value);
                }
            }
            if (node.HasChildNodes)
            {
                nsmgr.PushScope();
                AddNamespaces(node.ChildNodes, nsmgr);
                nsmgr.PopScope();
            }
        }
    }
}

示例调用示例:

    XmlDocument ResponseXmlDoc = new System.Xml.XmlDocument();
    ...<Load your XML Document>...
    XmlNamespaceManager nsmgr = AddNamespaces(ResponseXmlDoc);

并使用返回的NamespaceManager

XmlNodeList list = ResponseXmlDoc.SelectNodes("//d:response", nsmgr);