我正在尝试解析此示例XML文件:
<Collection version="2.0" id="74j5hc4je3b9">
<Name>A Funfair in Bangkok</Name>
<PermaLink>Funfair in Bangkok</PermaLink>
<PermaLinkIsName>True</PermaLinkIsName>
<Description>A small funfair near On Nut in Bangkok.</Description>
<Date>2009-08-03T00:00:00</Date>
<IsHidden>False</IsHidden>
<Items>
<Item filename="AGC_1998.jpg">
<Title>Funfair in Bangkok</Title>
<Caption>A small funfair near On Nut in Bangkok.</Caption>
<Authors>Anthony Bouch</Authors>
<Copyright>Copyright © Anthony Bouch</Copyright>
<CreatedDate>2009-08-07T19:22:08</CreatedDate>
<Keywords>
<Keyword>Funfair</Keyword>
<Keyword>Bangkok</Keyword>
<Keyword>Thailand</Keyword>
</Keywords>
<ThumbnailSize width="133" height="200" />
<PreviewSize width="532" height="800" />
<OriginalSize width="2279" height="3425" />
</Item>
<Item filename="AGC_1164.jpg" iscover="True">
<Title>Bumper Cars at a Funfair in Bangkok</Title>
<Caption>Bumper cars at a small funfair near On Nut in Bangkok.</Caption>
<Authors>Anthony Bouch</Authors>
<Copyright>Copyright © Anthony Bouch</Copyright>
<CreatedDate>2009-08-03T22:08:24</CreatedDate>
<Keywords>
<Keyword>Bumper Cars</Keyword>
<Keyword>Funfair</Keyword>
<Keyword>Bangkok</Keyword>
<Keyword>Thailand</Keyword>
</Keywords>
<ThumbnailSize width="200" height="133" />
<PreviewSize width="800" height="532" />
<OriginalSize width="3725" height="2479" />
</Item>
</Items>
</Collection>
这是我目前的代码:
require 'nokogiri'
doc = Nokogiri::XML(File.open("sample.xml"))
somevar = doc.css("collection")
#create loop
somevar.each do |item|
puts "Item "
puts item['Title']
puts "\n"
end#items
从XML文档的根目录开始,我试图从根“集合”向下到每个新级别。
我从节点集开始,从节点获取信息,节点包含元素。如何将节点分配给变量,并提取其下面的每个图层和文本?
我可以执行类似下面的代码,但我想知道如何使用循环系统地遍历XML的每个嵌套元素,并输出每行的数据。完成显示文本后,如何移回上一个元素/节点,无论它是什么(遍历树中的节点)?
puts somevar.css("Keyworks Keyword").text
答案 0 :(得分:0)
Nokogiri的NodeSet
和Node
支持非常相似的API,其关键语义差异是NodeSet
的方法依次对所有包含的节点进行操作。例如,当单个节点的children
获取该节点的子节点时,NodeSet
的{{1}}将获取所有包含节点的子节点(在文档中出现时进行排序)。因此,要打印所有项目的所有标题和作者,您可以这样做:
children
您可以通过这种方式获得树的任何级别。另一个例子 - 深度优先搜索打印树中的每个节点(NB。节点的打印表示包括其子节点的打印表示,因此输出将非常长):
require 'nokogiri'
doc = Nokogiri::XML(File.open("sample.xml"))
coll = doc.css("Collection")
coll.css("Items").children.each do |item|
title = item.css("Title")[0]
authors = item.css("Authors")[0]
puts title.content if title
puts authors.content if authors
end
由于您具体询问此问题,如果您想要获取给定节点的父节点,则可以使用def rec(node)
puts node
node.children.each do |child|
rec child
end
end
方法。但是,您可能永远不需要,如果您可以将您的处理文件传递给parent
上的each
等包含感兴趣的子树的NodeSet
等。