5

我正在玩找到@ http://www.jsphylosvg.com/examples/source.php?example=2&t=xml的 xml 文件

如果节点的值,我想插入一个节点name="Espresso"

例如,我想改变:

<clade>
<name>Espresso</name>
<branch_length>2.0</branch_length>
</clade>

到:

<clade>
<name>Espresso</name>
<url>www.espresso.com</url>
<branch_length>2.0</branch_length>
</clade>

根据我到目前为止所做的研究,我可以使用它xpath来查找包含 espresso 的节点(这应该可以,但它不可以吗?)

import re, sys
import lxml.etree
f = open("test.xml", "r")
data = f.read()
tree = lxml.etree.XML(data)
if tree.xpath('//name/text()="Espresso"'):
    insert new child here

此时应该可以使用uselxml.etree.Element来制作xml节点,并使用insert将它们附加到xml文档中

然而,虽然这在理论上听起来很棒,但我无法让它发挥作用。
我真的很感激任何帮助/建议

4

1 回答 1

5

您的 XPath 语句并不完全正确。这就是我认为你想要的:

>>> DOC = """<clade>
... <name>Espresso</name>
... <branch_length>2.0</branch_length>
... </clade>"""
>>> 
>>> import lxml.etree
>>> tree = lxml.etree.XML(DOC)
>>> matches = tree.xpath('//name[text()="Espresso"]')

然后在匹配后追加元素:

>>> for e in matches:
...    sibling = lxml.etree.Element("url")
...    sibling.text = "www.espresso.com"
...    e.addnext(sibling)

>>> print lxml.etree.tostring(tree)
<clade>
<name>Espresso</name><url>www.espresso.com</url>
<branch_length>2.0</branch_length>
</clade>

编辑:

由于您的文档具有命名空间,因此您希望将命名空间映射传递给 XPath 函数并在标记名称前加上命名空间前缀,如下所示:

>>> nsmap = {'phylo': 'http://www.phyloxml.org'}
>>> tree.xpath('//phylo:name[text()="Espresso"]', namespaces=nsmap)
[<Element {http://www.phyloxml.org}name at 0x2c875f0>]
于 2012-08-13T02:40:19.540 回答