在我的Rails应用程序中,我有像下面这样的HTML,用Nokogiri解析。
我希望能够选择HTML块。例如,如何使用XPath或CSS选择属于<sup id="21">
的HTML块?假设在真实的HTML中不存在********
的部分。
我想通过<sup id=*>
拆分HTML,但问题是节点是兄弟姐妹。
<sup class="v" id="20">
1
</sup>
this is some random text
<p></p>
more random text
<sup class="footnote" value='fn1'>
[v]
</sup>
# ****************************** starting here
<sup class="v" id="21">
2
</sup>
now this is a different section
<p></p>
how do we keep this separate
<sup class="footnote" value='fn2'>
[x]
</sup>
# ****************************** ending here
<sup class="v" id="23">
3
</sup>
this is yet another different section
<p></p>
how do we keep this separate too
<sup class="footnote" value='fn3'>
[r]
</sup>
这里有一个简单的解决方案,可以为您提供NodeSet
s和<sup … class="v">
之间的所有节点,并通过id
进行散列。
doc = Nokogiri.HTML(your_html)
nodes_by_vsup_id = Hash.new{ |k,v| k[v]=Nokogiri::XML::NodeSet.new(doc) }
last_id = nil
doc.at('body').children.each do |n|
last_id = n['id'] if n['class']=='v'
nodes_by_vsup_id[last_id] << n
end
puts nodes_by_vsup_id['21']
#=> <sup class="v" id="21">
#=> 2
#=> </sup>
#=>
#=> now this is a different section
#=> <p></p>
#=>
#=> how do we keep this separate
#=> <sup class="footnote" value="fn2">
#=> [x]
#=> </sup>
或者,如果您真的不希望分隔'sup'成为集合的一部分,则可以这样做:
doc.at('body').elements.each do |n|
if n['class']=='v'
last_id = n['id']
else
nodes_by_vsup_id[last_id] << n
end
end
这里有一个替代的,甚至更通用的解决方案:
class Nokogiri::XML::NodeSet
# Yields each node in the set to your block
# Returns a hash keyed by whatever your block returns
# Any nodes that return nil/false are grouped with the previous valid value
def group_chunks
Hash.new{ |k,v| k[v] = self.class.new(document) }.tap do |result|
key = nil
each{ |n| result[key = yield(n) || key] << n }
end
end
end
root_items = doc.at('body').children
separated = root_items.group_chunks{ |node| node['class']=='v' && node['id'] }
puts separated['21']
看起来您想要选择sup
与@id='21'
和sup
与@id='23'
之间的所有内容。使用以下特别表达式:
//sup[@id='21']|(//sup[@id='21']/following-sibling::node()[
not(self::sup[@id='23'] or preceding-sibling::sup[@id='23'])])
或者Kayessian节点集相交公式的一个应用:
//sup[@id='21']|(//sup[@id='21']/following-sibling::node()[
count(.|//sup[@id='23']/preceding-sibling::node())
=
count(//sup[@id='23']/preceding-sibling::node())])
require 'open-uri'
require 'nokogiri'
doc = Nokogiri::HTML(open("http://www.yoururl"))
doc.xpath('//sup[id="21"]').each do |node|
puts node.text
end