我试图使用ElementTree遍历树中的所有节点。
我做类似的事情:
tree = ET.parse("/tmp/test.xml")
root = tree.getroot()
for child in root:
### do something with child
问题在于child是一个Element对象,而不是ElementTree对象,因此我无法进一步研究它并递归迭代它的元素。有没有一种方法可以对“根”进行不同的迭代,以使其遍历树中的顶级节点(直接子代)并返回与根本身相同的类?
最佳答案
要遍历所有节点,请在iter而不是根Element上使用ElementTree方法。
根是一个元素,就像树中的其他元素一样,并且实际上仅具有其自身属性和子元素的上下文。 ElementTree具有所有Elements的上下文。
例如,给定此xml
<?xml version="1.0"?>
<data>
<country name="Liechtenstein">
<rank>1</rank>
<year>2008</year>
<gdppc>141100</gdppc>
<neighbor name="Austria" direction="E"/>
<neighbor name="Switzerland" direction="W"/>
</country>
<country name="Singapore">
<rank>4</rank>
<year>2011</year>
<gdppc>59900</gdppc>
<neighbor name="Malaysia" direction="N"/>
</country>
<country name="Panama">
<rank>68</rank>
<year>2011</year>
<gdppc>13600</gdppc>
<neighbor name="Costa Rica" direction="W"/>
<neighbor name="Colombia" direction="E"/>
</country>
</data>
您可以执行以下操作
>>> import xml.etree.ElementTree as ET
>>> tree = ET.parse('test.xml')
>>> for elem in tree.iter():
... print elem
...
<Element 'data' at 0x10b2d7b50>
<Element 'country' at 0x10b2d7b90>
<Element 'rank' at 0x10b2d7bd0>
<Element 'year' at 0x10b2d7c50>
<Element 'gdppc' at 0x10b2d7d10>
<Element 'neighbor' at 0x10b2d7e90>
<Element 'neighbor' at 0x10b2d7ed0>
<Element 'country' at 0x10b2d7f10>
<Element 'rank' at 0x10b2d7f50>
<Element 'year' at 0x10b2d7f90>
<Element 'gdppc' at 0x10b2d7fd0>
<Element 'neighbor' at 0x10b2db050>
<Element 'country' at 0x10b2db090>
<Element 'rank' at 0x10b2db0d0>
<Element 'year' at 0x10b2db110>
<Element 'gdppc' at 0x10b2db150>
<Element 'neighbor' at 0x10b2db190>
<Element 'neighbor' at 0x10b2db1d0>
关于python - 如何使用ElementTree递归遍历Python中的XML标签?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/21074361/