在HtmlAgilityPack、Xpath中使用谓词
本文关键字:谓词 Xpath HtmlAgilityPack | 更新日期: 2023-09-27 18:24:49
我想从网站上获取数据。我正在使用HtmlAgilityPack(C#)。在网站内容是这样的
<div id="list">
<div class="list1">
<a href="example1.com" class="href1" >A1</a>
<a href="example4.com" class="href2" />
</div>
<div class="list2">
<a href="example2.com" class="href1" >A2</a>
<a href="example5.com" class="href2" />
</div>
<div class="list3">
<a href="example3.com" class="href1" >A3</a>
<a href="example6.com" class="href2" />
</div>
<div class="list3">
<a href="example4.com" class="href1" >A4</a>
<a href="example6.com" class="href2" />
</div>
<div class="list3">
<a href="example5.com" class="href1" >A5</a>
<a href="example6.com" class="href2" />
</div><div class="list3">
<a href="example6.com" class="href1" >A6</a>
<a href="example6.com" class="href2" />
</div><div class="list3">
<a href="example3.com" class="href1" >A7</a>
<a href="example6.com" class="href2" />
</div>
</div>
在这里,我们有7个class="href1"的链接。我只想获取3个链接(从第3个链接到第5个链接)。如何获取这些特定的链接?
这种代码:
HtmlDocument doc = new HtmlDocument();
doc.Load(myHtmlFile);
foreach (HtmlNode node in doc.DocumentNode.SelectNodes(
"//div[@class='list3' and position() > 2 and position() < 6]/a[@class='href1']"))
{
Console.WriteLine("node:" + node.InnerText);
}
会给你这个结果:
node:A3
node:A4
node:A5
您的数据似乎已经是格式良好的XML。如果您正在解析XHTML页面,那么您可能可以使用.NETFramework的System.Xml
类。例如,要将数据加载到XElement
中,可以使用:
XElement xElement = XElement.Parse(@"
<div id=""list"">
<div class=""list1"">
<a href=""example1.com"" class=""href1"" >A1</a>
<a href=""example4.com"" class=""href2"" />
</div>
<div class=""list2"">
<a href=""example2.com"" class=""href1"" >A2</a>
<a href=""example5.com"" class=""href2"" />
</div>
<div class=""list3"">
<a href=""example3.com"" class=""href1"" >A3</a>
<a href=""example6.com"" class=""href2"" />
</div>
<div class=""list3"">
<a href=""example4.com"" class=""href1"" >A4</a>
<a href=""example6.com"" class=""href2"" />
</div>
<div class=""list3"">
<a href=""example5.com"" class=""href1"" >A5</a>
<a href=""example6.com"" class=""href2"" />
</div>
<div class=""list3"">
<a href=""example6.com"" class=""href1"" >A6</a>
<a href=""example6.com"" class=""href2"" />
</div>
<div class=""list3"">
<a href=""example3.com"" class=""href1"" >A7</a>
<a href=""example6.com"" class=""href2"" />
</div>
</div>");
然后,要选择class
属性值为href1
的第三到第五个<a>
元素,请使用:
var links = xElement.XPathSelectElements("//a[@class='href1']").Skip(2).Take(3).ToList();
另一方面,如果您有一个HtmlAgilityPack.HtmlDocument
实例,则可以使用执行XPath查询
HtmlNodeCollection links = htmlDoc.DocumentNode.SelectNodes("//a[@class='href1']");
var links3to5 = links.Cast<HtmlNode>().Skip(2).Take(3).ToList();