如何在C#中删除不必要的xmlns属性?

时间:2015-04-21 02:36:23

标签: c# xml

我试图更新现有的XML文件,但总是在我更新它时添加新标签xmlns =""属性神秘地出现在所有标签中,我没有找到删除它的方法。

    private static void EditarXML(string path, List<SiteUrl> listaUrls, bool indice, string loc)
    {
        XmlDocument documentoXML = new XmlDocument();
        documentoXML.Load(path);

            XmlNode sitemap = documentoXML.CreateElement("sitemap");

            XmlNode xloc = documentoXML.CreateElement("loc");
            xloc.InnerText = loc;
            sitemap.AppendChild(xloc);

            XmlNode lastmod = documentoXML.CreateElement("lastmod");
            lastmod.InnerText = DateTime.Now.ToShortDateString();
            sitemap.AppendChild(lastmod);

            documentoXML.DocumentElement.AppendChild(sitemap);
    }

任何帮助或想法都会受到赞赏。

谢谢!

1 个答案:

答案 0 :(得分:0)

当您要附加的父节点具有命名空间时会发生这种情况,但您不能在CreateElement()调用中指定它。

要处理这个问题,您可以从DocumentElement获取命名空间,就像这样(我的示例只是在内存中创建文档,但原理是相同的),并将其传递给CreateElement()

  if (x.DocumentElement != null) {
    var xmlns = (x.DocumentElement.NamespaceURI);
    var sitemap = x.CreateElement("sitemap", xmlns);

    var xloc = x.CreateElement("loc", xmlns);
    xloc.InnerText = "Hello";
    sitemap.AppendChild(xloc);

    var lastmod = x.CreateElement("lastmod", xmlns);
    lastmod.InnerText = DateTime.Now.ToShortDateString();
    sitemap.AppendChild(lastmod);

    x.DocumentElement.AppendChild(sitemap);
  }
  Console.WriteLine(x.InnerXml);

<强>输出

<test xmlns="jdphenix"><sitemap><loc>Hello</loc><lastmod>4/20/2015</lastmod></sitemap></test>

请注意,如果我没有将父命名空间传递给每个CreateElement()调用,则该调用的子节点将为空xmlns

  // incorrect - appends xmlns=""
  if (x.DocumentElement != null) {
    var sitemap = x.CreateElement("sitemap");

    var xloc = x.CreateElement("loc");
    xloc.InnerText = "Hello";
    sitemap.AppendChild(xloc);

    var lastmod = x.CreateElement("lastmod"); 
    lastmod.InnerText = DateTime.Now.ToShortDateString();
    sitemap.AppendChild(lastmod);

    x.DocumentElement.AppendChild(sitemap);
  }
  Console.WriteLine(x.InnerXml);

<强>输出

<test xmlns="jdphenix"><sitemap xmlns=""><loc>Hello</loc><lastmod>4/20/2015</lastmod></sitemap></test>

相关阅读:Why does .NET XML append an xlmns attribute to XmlElements I add to a document? Can I stop it?

How to prevent blank xmlns attributes in output from .NET's XmlDocument?