13

在我的代码中,我想删除没有 src 值的 img 标签。我正在使用HTMLAgilitypack 的 HtmlDocument对象。我正在寻找没有 src 值的 img 并试图将其删除.. 但它给了我错误 Collection was modified; 枚举操作可能无法执行。任何人都可以帮助我吗?我使用的代码是:

foreach (HtmlNode node in doc.DocumentNode.DescendantNodes())
{
    if (node.Name.ToLower() == "img")
    {                            
           string src = node.Attributes["src"].Value;
           if (string.IsNullOrEmpty(src))
           {
               node.ParentNode.RemoveChild(node, false);    
           }
   }
   else
   {
             ..........// i am performing other operations on document
   }
}
4

4 回答 4

28

您似乎正在使用HtmlNode.RemoveChild方法在枚举期间修改集合。

要解决此问题,您需要通过调用 egEnumerable.ToList<T>()或将节点复制到单独的列表/数组中Enumerable.ToArray<T>()

var nodesToRemove = doc.DocumentNode
    .SelectNodes("//img[not(string-length(normalize-space(@src)))]")
    .ToList();

foreach (var node in nodesToRemove)
    node.Remove();

如果我是对的,问题就会消失。

于 2012-08-30T16:06:19.077 回答
11

我所做的是:

    List<string> xpaths = new List<string>();
    foreach (HtmlNode node in doc.DocumentNode.DescendantNodes())
    {
                        if (node.Name.ToLower() == "img")
                        {
                            string src = node.Attributes["src"].Value;
                            if (string.IsNullOrEmpty(src))
                            {
                                xpaths.Add(node.XPath);
                                continue;
                            }
                        }
    }

    foreach (string xpath in xpaths)
    {
            doc.DocumentNode.SelectSingleNode(xpath).Remove();
    }
于 2012-08-31T05:46:13.290 回答
4
var emptyImages = doc.DocumentNode
 .Descendants("img")
 .Where(x => x.Attributes["src"] == null || x.Attributes["src"].Value == String.Empty)
 .Select(x => x.XPath)
 .ToList(); 

emptyImages.ForEach(xpath => { 
      var node = doc.DocumentNode.SelectSingleNode(xpath);
      if (node != null) { node.Remove(); }
    });
于 2016-01-25T11:34:43.247 回答
0
var emptyElements = doc.DocumentNode
    .Descendants("a")
    .Where(x => x.Attributes["src"] == null || x.Attributes["src"].Value == String.Empty)
    .ToList();

emptyElements.ForEach(node => {
    if (node != null){ node.Remove();}
});
于 2019-05-22T11:14:25.290 回答