XPath 在两个 HTML 注释之间进行选择



我有一个很大的HTML页面。但是我想使用 Xpath 选择某些节点:

<html>
 ........
<!-- begin content -->
 <div>some text</div>
 <div><p>Some more elements</p></div>
<!-- end content -->
.......
</html>

我可以在<!-- begin content -->后使用以下方法选择 HTML:

"//comment()[. = ' begin content ']/following::*" 

我也可以使用以下命令在<!-- end content -->之前选择 HTML:

"//comment()[. = ' end content ']/preceding::*" 

但是我必须有XPath才能选择两个注释之间的所有HTML?

我会寻找第一条评论前面,后面是第二条评论的元素:

doc.xpath("//*[preceding::comment()[. = ' begin content ']]
              [following::comment()[. = ' end content ']]")
#=> <div>some text</div>
#=> <div>
#=>   <p>Some more elements</p>
#=> </div>
#=> <p>Some more elements</p>

请注意,上面给出了介于两者之间的每个元素。这意味着,如果您遍历每个返回的节点,您将获得一些重复的嵌套节点 - 例如"更多元素"。

我认为您可能实际上只想在两者之间获取顶级节点 - 即评论的兄弟姐妹。这可以改用preceding/following-sibling来完成。

doc.xpath("//*[preceding-sibling::comment()[. = ' begin content ']]
              [following-sibling::comment()[. = ' end content ']]")
#=> <div>some text</div>
#=> <div>
#=>   <p>Some more elements</p>
#=> </div>

更新 - 包括评论

使用 //* 仅返回元素节点,其中不包括注释(和其他一些)。您可以将*更改为node()以返回所有内容。

puts doc.xpath("//node()[preceding-sibling::comment()[. = 'begin content']]
                        [following-sibling::comment()[. = 'end content']]")
#=> 
#=> <!--keywords1: first_keyword-->
#=> 
#=> <div>html</div>
#=> 

如果你只想要元素节点和注释(即不是全部),你可以使用self轴:

doc.xpath("//node()[self::* or self::comment()]
                   [preceding-sibling::comment()[. = 'begin content']]
                   [following-sibling::comment()[. = 'end content']]")
#~ #=> <!--keywords1: first_keyword-->
#~ #=> <div>html</div>

相关内容

  • 没有找到相关文章

最新更新