3

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

XmlNamespaceManager几乎我搜索过的每XmlNamespaceManager一篇文章XmlNameTable都建议我使用XmlNode.

我尝试使用 an 来执行此操作,XmlDocument因为它XmlDocument有一个属性XmlDocument.NameTable,但它对于 XmlNode 不存在。

我尝试手动创建一个 NameTable,但是当我使用XmlDocument. 我想我需要用一些东西填充那个 NameTable 或者以某种方式将它绑定到XmlNode以使其工作。请建议。

4

2 回答 2

4

你能用吗

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

于 2013-04-11T14:50:54.603 回答
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);
于 2017-05-03T02:00:53.430 回答