如何从 C# 中的每个 XML 元素中删除“xmlns:...”命名空间信息?
Marc
问问题
13296 次
3 回答
10
尽管 Zombiesheep 给出了警示性的回答,但我的解决方案是使用 xslt 转换来清洗 xml 以执行此操作。
洗.xsl:
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" indent="no" encoding="UTF-8"/>
<xsl:template match="/|comment()|processing-instruction()">
<xsl:copy>
<xsl:apply-templates/>
</xsl:copy>
</xsl:template>
<xsl:template match="*">
<xsl:element name="{local-name()}">
<xsl:apply-templates select="@*|node()"/>
</xsl:element>
</xsl:template>
<xsl:template match="@*">
<xsl:attribute name="{local-name()}">
<xsl:value-of select="."/>
</xsl:attribute>
</xsl:template>
</xsl:stylesheet>
于 2009-01-05T13:27:56.380 回答
6
从这里http://simoncropp.com/working-around-xml-namespaces
var xDocument = XDocument.Parse(
@"<root>
<f:table xmlns:f=""http://www.w3schools.com/furniture"">
<f:name>African Coffee Table</f:name>
<f:width>80</f:width>
<f:length>120</f:length>
</f:table>
</root>");
xDocument.StripNamespace();
var tables = xDocument.Descendants("table");
public static class XmlExtensions
{
public static void StripNamespace(this XDocument document)
{
if (document.Root == null)
{
return;
}
foreach (var element in document.Root.DescendantsAndSelf())
{
element.Name = element.Name.LocalName;
element.ReplaceAttributes(GetAttributes(element));
}
}
static IEnumerable GetAttributes(XElement xElement)
{
return xElement.Attributes()
.Where(x => !x.IsNamespaceDeclaration)
.Select(x => new XAttribute(x.Name.LocalName, x.Value));
}
}
于 2011-10-09T00:00:09.827 回答
2
我有一个类似的问题(需要从特定元素中删除命名空间属性,然后将 XML 作为XmlDocument
BizTalk 返回),但是一个奇怪的解决方案。
在将 XML 字符串加载到XmlDocument
对象中之前,我进行了文本替换以删除有问题的命名空间属性。起初它似乎是错误的,因为我最终得到了无法被 Visual Studio 中的“XML Visualizer”解析的 XML。这就是最初让我放弃这种方法的原因。
但是,文本仍然可以加载到XmlDocument
,我可以将其输出到 BizTalk。
还要注意,早些时候,我在尝试使用删除命名空间属性时遇到了一个死胡同childNode.Attributes.RemoveAll()
——它又回来了!
于 2010-06-10T09:09:17.383 回答