1

我想使用HTMLAgilityPack. 我有一些代码:

HtmlAgilityPack.HtmlWeb TheWebLoader = new HtmlWeb();
HtmlAgilityPack.HtmlDocument TheDocument = TheWebLoader.Load(textBox1.Text);

List<string> TagsToRemove = new List<string>() { "script", "style", "link", "br", "hr" };

var Strings = (from n in TheDocument.DocumentNode.DescendantsAndSelf()
               where !TagsToRemove.Contains(n.Name.ToLower())
               select n.InnerText).ToList();

textBox2.Lines = Strings.ToArray();

问题是,它也返回了script标签的内容。我不知道为什么会这样。有谁能够帮我?

4

1 回答 1

3

您的问题来自 InnerText 没有返回您所期望的事实。

在:

<A>
    Text1
    <B>Text2</B>
</A>

它返回:

Text1
Text2

然后,例如,对于根节点,doingdocument.DocumentNode.InnerText将为您提供 等中的所有文本script...

我建议您删除所有不需要的标签:

foreach (HtmlNode nodeToRemove in (from descendant in TheDocument.DocumentNode.Descendants()
                                   where TagsToRemove.Contains(descendant.Name)
                                   select descendant).ToList())
    nodeToRemove.Remove();

然后获取文本元素的列表:

List<string> Strings = (from descendant in TheDocument.DocumentNode.DescendantsAndSelf().OfType<HtmlTextNode>()
                        select descendant.InnerText).ToList();
于 2013-01-28T21:54:29.537 回答