我正在这样做:
targets = @xml.xpath("./target")
if targets.empty?
targets << Nokogiri::XML::Node.new('target', @xml)
end
然而,@xml
仍然没有我的目标。为了更新原始@xml
,我该怎么做?
这比这容易得多:
require 'nokogiri'
doc = Nokogiri::XML(<<EOT)
<root>
<node>
</node>
</root>
EOT
doc.at('node').children = '<child>foo</child>'
doc.to_xml
# => "<?xml version="1.0"?>n<root>n <node><child>foo</child></node>n</root>n"
children=
足够聪明,可以看到你正在传递的东西,并会为你做肮脏的工作。因此,只需使用字符串来定义新节点并告诉Nokogiri将其插入何处即可。
doc.at('node').class # => Nokogiri::XML::Element
doc.at('//node').class # => Nokogiri::XML::Element
doc.search('node').first # => #<Nokogiri::XML::Element:0x3fd1a88c5c08 name="node" children=[#<Nokogiri::XML::Text:0x3fd1a88eda3c "n ">]>
doc.search('//node').first # => #<Nokogiri::XML::Element:0x3fd1a88c5c08 name="node" children=[#<Nokogiri::XML::Text:0x3fd1a88eda3c "n ">]>
search
是通用的"查找节点"方法,它将采用CSS或XPath选择器。 at
相当于search('some selector').first
。 at_css
和at_xpath
是at
的特定等价物,就像css
和xpath
是search
一样。如果需要,请使用特定版本,但通常我使用通用版本。
您不能使用:
targets = @xml.xpath("./target")
if targets.empty?
targets << Nokogiri::XML::Node.new('target', @xml)
end
如果 DOM 中不存在targets
./target
[]
(实际上是一个空的 NodeSet)。您不能将节点附加到[]
,因为 NodeSet 不知道您在说什么,从而导致undefined method 'children=' for nil:NilClass (NoMethodError)
异常。
相反,您必须找到要插入节点的特定位置。 at
对此有好处,因为它只找到第一个位置。当然,如果你想寻找多个地方来修改某些东西,请使用search
然后迭代返回的 NodeSet 并根据返回的各个节点进行修改。
我结束这样做,工作正常。
targets = @xml.xpath("./target")
if targets.empty?
targets << Nokogiri::XML::Node.new('target', @xml)
@xml.add_child(targets.first)
end