我正在尝试使用Nokogiri来显示来自URL的结果。(本质上是抓取网址)。
我有一些类似于以下内容的 HTML:
<p class="mattFacer">Matty</p>
<p class="mattSmith">Matthew</p>
<p class="suzieSmith">Suzie</p>
所以我需要找到所有以"matt"开头的元素。我需要做的是保存元素的值和元素名称,以便下次可以引用它。所以我需要捕捉
"Matty" and "<p class='mattFacer'>"
"Matthew" and "<p class='mattSmith'>"
我还没有弄清楚如何捕获元素 HTML,但这是我到目前为止对该元素所拥有的(它不起作用!
doc = Nokogiri::HTML(open(url))
tmp = ""
doc.xpath("[class*=matt").each do |item|
tmp += item.text
end
@testy2 = tmp
这应该让你开始:
doc.xpath('//p[starts-with(@class, "matt")]').each do |el|
p [el.attributes['class'].value, el.children[0].text]
end
["mattFacer", "Matty"]
["mattSmith", "Matthew"]
使用:
/*/p[starts-with(@class, 'matt')] | /*/p[starts-with(@class, 'matt')]/text()
这将选择作为 XML 文档顶部元素的子元素且其class
属性以 "matt"
开头的值的任何p
元素,以及任何此类p
元素的任何文本节点子元素。
根据此 XML 文档进行评估时(未提供任何文档!
<html>
<p class="mattFacer">Matty</p>
<p class="mattSmith">Matthew</p>
<p class="suzieSmith">Suzie</p>
</html>
选择以下节点(每个节点在单独的行上),并可按位置访问:
<p class="mattFacer">Matty</p>
Matty
<p class="mattSmith">Matthew</p>
Matthew
下面是一个快速的 XSLT 验证:
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output omit-xml-declaration="yes" indent="yes"/>
<xsl:template match="/">
<xsl:for-each select=
"/*/p[starts-with(@class, 'matt')]
|
/*/p[starts-with(@class, 'matt')]/text()
">
<xsl:copy-of select="."/>
<xsl:text>
</xsl:text>
</xsl:for-each>
</xsl:template>
</xsl:stylesheet>
当应用于同一 XML 文档(如上)时,此转换的结果是所选节点的预期正确序列:
<p class="mattFacer">Matty</p>
Matty
<p class="mattSmith">Matthew</p>
Matthew
doc = Nokogiri::HTML(open(url))
tmp = ""
items = doc.css("p[class*=matt]").map(&:text).join
公认的答案很好,但另一种方法是使用 Nikkou,它允许您通过正则表达式进行匹配(无需熟悉 XPATH 函数):
doc.attr_matches('class', /^matt/).collect do |item|
[item.attributes['class'].value, item.text]
end