如何删除的所有子节点XmlElement
,但保留所有属性?
请注意, XmlElement.RemoveAll也会删除所有属性。 什么是干净,优雅,性能良好的方法,以消除所有子节点? 换句话说,什么是最好的做法吗?
如何删除的所有子节点XmlElement
,但保留所有属性?
请注意, XmlElement.RemoveAll也会删除所有属性。 什么是干净,优雅,性能良好的方法,以消除所有子节点? 换句话说,什么是最好的做法吗?
对于一个真正有效的解决方案:
e.IsEmpty = true;
是你的速度最快,最简单的选择。 这不正是你的要求:所有内部文本和嵌套元素被丢弃,而属性被保留。
将这个解决方案不是简单?
while(e.FirstChild != null)
e.RemoveChild(e.FirstChild);
选项1使用elem.InnerXml = "";
完整的工作代码,如果你需要这样的:
var doc = new XmlDocument();
doc.LoadXml("<x a1='a' a2='b'><child1/><child2/></x>");
var elem = doc.DocumentElement;
Console.WriteLine(elem.OuterXml);
Console.WriteLine("HasAttributes " + elem.HasAttributes);
Console.WriteLine("HasChildNodes " + elem.HasChildNodes);
elem.InnerXml = "";
Console.WriteLine(elem.OuterXml);
Console.WriteLine("HasAttributes " + elem.HasAttributes);
Console.WriteLine("HasChildNodes " + elem.HasChildNodes);
Console.ReadLine();
Detailied信息什么InnerXml做:
public override string InnerXml
{
get
{
return base.InnerXml;
}
set
{
this.RemoveAllChildren();
new XmlLoader().LoadInnerXmlElement(this, value);
}
}
有可能是在LoadInnerXmlElement性能问题,而是因为我们有空字符串它不应该是很大的,因为大多数时候会采取这种方法:
internal XmlNamespaceManager ParsePartialContent(XmlNode parentNode, string innerxmltext, XmlNodeType nt)
{
this.doc = parentNode.OwnerDocument;
XmlParserContext context = this.GetContext(parentNode);
this.reader = this.CreateInnerXmlReader(innerxmltext, nt, context, this.doc);
try
{
this.preserveWhitespace = true;
bool isLoading = this.doc.IsLoading;
this.doc.IsLoading = true;
if (nt == XmlNodeType.Entity)
{
XmlNode newChild;
while (this.reader.Read() && (newChild = this.LoadNodeDirect()) != null)
parentNode.AppendChildForLoad(newChild, this.doc);
}
else
{
XmlNode newChild;
while (this.reader.Read() && (newChild = this.LoadNode(true)) != null)
parentNode.AppendChildForLoad(newChild, this.doc);
}
this.doc.IsLoading = isLoading;
}
finally
{
this.reader.Close();
}
return context.NamespaceManager;
}
选项2以下代码:
XmlNode todelete = elem.FirstChild;
while (todelete != null)
{
elem.RemoveChild(elem.FirstChild);
todelete = elem.FirstChild;
}
关于performane。 让我们来看看XmlElement.RemoveAll(),它是:
public override void RemoveAll()
{
base.RemoveAll();
this.RemoveAllAttributes();
}
凡base.RemoveAll()正是:
[TargetedPatchingOptOut("Performance critical to inline across NGen image boundaries")]
public virtual void RemoveAll()
{
XmlNode oldChild = this.FirstChild;
for (; oldChild != null; {
XmlNode nextSibling;
oldChild = nextSibling;
}
)
{
nextSibling = oldChild.NextSibling;
this.RemoveChild(oldChild);
}
}
因此,它是相同的,因为我上面写的