18

如何删除 an 的所有子节点XmlElement,但保留所有属性?

请注意,XmlElement.RemoveAll也会删除所有属性。什么是删除所有子节点的干净、优雅且性能良好的方法?换句话说,这里的最佳实践是什么?

4

3 回答 3

31

对于真正有效的解决方案:

e.IsEmpty = true;

是您最快和最简单的选择。它完全符合您的要求:所有内部文本和嵌套元素都被丢弃,而属性被保留。

于 2014-03-27T09:24:45.050 回答
6

这个解决方案不会更简单吗?

while(e.FirstChild != null)
    e.RemoveChild(e.FirstChild);
于 2013-09-05T13:04:05.550 回答
3

选项 1elem.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();

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;
    }

关于性能。让我们看看 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);
  }
}

所以和我上面写的一样

于 2013-04-10T12:32:59.797 回答