3

删除所有空节点和不必要节点的首选方法是什么?例如

<p></p>应该被删除并且<font><p><span><br></span></p></font>也应该被删除(因此在这种情况下 br 标签被认为是不必要的)

我是否必须为此使用某种递归函数?我在想一些事情可能是这样的:

 RemoveEmptyNodes(HtmlNode containerNode)
 {
     var nodes = containerNode.DescendantsAndSelf().ToList();

      if (nodes != null)
      {
          foreach (HtmlNode node in nodes)
          {
              if (node.InnerText == null || node.InnerText == "")
              {
                   RemoveEmptyNodes(node.ParentNode);
                   node.Remove();
               }
           }
       }
  }

但这显然不起作用(stackoverflow异常)。

4

1 回答 1

12

不应删除的标签您可以将名称添加到列表中,并且由于 containerNode.Attributes.Count == 0(例如图像),具有属性的节点也不会被删除

static List<string> _notToRemove;

static void Main(string[] args)
{
    _notToRemove = new List<string>();
    _notToRemove.Add("br");

    HtmlDocument doc = new HtmlDocument();
    doc.LoadHtml("<html><head></head><body><p>test</p><br><font><p><span></span></p></font></body></html>");
    RemoveEmptyNodes(doc.DocumentNode);
}

static void RemoveEmptyNodes(HtmlNode containerNode)
{
    if (containerNode.Attributes.Count == 0 && !_notToRemove.Contains(containerNode.Name) && string.IsNullOrEmpty(containerNode.InnerText))
    {
        containerNode.Remove();
    }
    else
    {
        for (int i = containerNode.ChildNodes.Count - 1; i >= 0; i-- )
        {
            RemoveEmptyNodes(containerNode.ChildNodes[i]);
        }
    }
}
于 2012-07-20T12:17:46.127 回答