我正在使用XDocument
尝试删除第一个内部节点上的xmlns=""
属性:
<Root xmlns="http://my.namespace">
<Firstelement xmlns="">
<RestOfTheDocument />
</Firstelement>
</Root>
所以我想要的结果是:
<Root xmlns="http://my.namespace">
<Firstelement>
<RestOfTheDocument />
</Firstelement>
</Root>
doc = XDocument.Load(XmlReader.Create(inStream));
XElement inner = doc.XPathSelectElement("/*/*[1]");
if (inner != null)
{
inner.Attribute("xmlns").Remove();
}
MemoryStream outStream = new MemoryStream();
XmlWriter writer = XmlWriter.Create(outStream);
doc.Save(writer); // <--- Exception occurs here
尝试保存文档时,出现以下异常:
前缀''无法在同一个开始元素标记内从''重新定义为'http://my.namespace'。
这甚至意味着什么,我该怎么做才能消除那些讨厌的xmlns=""
?
xmlns
,文档中不会有其他xmlns
属性。我尝试使用this question上的答案启发的代码:
inner = new XElement(inner.Name.LocalName, inner.Elements());
调试时,xmlns
属性已消失,但我得到了相同的异常。
答案 0 :(得分:33)
我认为下面的代码就是你想要的。您需要将每个元素放入正确的命名空间,和删除受影响元素的任何xmlns=''
属性。后一部分是必需的,否则LINQ to XML基本上试图给你留下
<!-- This would be invalid -->
<Firstelement xmlns="" xmlns="http://my.namespace">
以下是代码:
using System;
using System.Xml.Linq;
class Test
{
static void Main()
{
XDocument doc = XDocument.Load("test.xml");
// All elements with an empty namespace...
foreach (var node in doc.Root.Descendants()
.Where(n => n.Name.NamespaceName == ""))
{
// Remove the xmlns='' attribute. Note the use of
// Attributes rather than Attribute, in case the
// attribute doesn't exist (which it might not if we'd
// created the document "manually" instead of loading
// it from a file.)
node.Attributes("xmlns").Remove();
// Inherit the parent namespace instead
node.Name = node.Parent.Name.Namespace + node.Name.LocalName;
}
Console.WriteLine(doc); // Or doc.Save(...)
}
}
答案 1 :(得分:18)
没有必要删除&#39;空的xmlns属性。添加空xmlns attrib的全部原因是因为您的子节点的命名空间为空(=&#39;&#39;),因此与您的根节点不同。为孩子添加相同的命名空间也可以解决这种副作用问题。
XNamespace xmlns = XNamespace.Get("http://my.namespace");
// wrong
var doc = new XElement(xmlns + "Root", new XElement("Firstelement"));
// gives:
<Root xmlns="http://my.namespace">
<Firstelement xmlns="" />
</Root>
// right
var doc = new XElement(xmlns + "Root", new XElement(xmlns + "Firstelement"));
// gives:
<Root xmlns="http://my.namespace">
<Firstelement />
</Root>