如何从包含该属性的子元素中检索特定属性的所有值?

How to retrieve all values of a specific attribute from sub-elements that contain this attribute?

我有以下 XML 文件:

<main>
  <node>
    <party iot="00">Big</party>
    <children type="me" value="3" iot="A">
       <p>
          <display iot="B|S">
             <figure iot="FF"/>
          </display>
       </p>
       <li iot="C"/>
       <ul/>
    </children>
  </node>
  <node>
    <party iot="01">Small</party>
    <children type="me" value="1" iot="N">
       <p>
          <display iot="T|F">
             <figure iot="MM"/>
          </display>
       </p>
    </children>
  </node>
</main>

如何从 first nodechildren 的子元素中检索 iot 属性的所有值?我需要检索 iot 的值作为列表。

预期结果:

iot_list = ['A','B|S','FF','C']

这是我当前的代码:

import xml.etree.ElementTree as ET

mytree = ET.parse("file.xml")
myroot = mytree.getroot()
list_nodes = myroot.findall('node')
for n in list_nodes:
   # ???

使用 lxml 库更容易做到这一点:

如果您问题中的示例 xml 代表实际 xml 的确切结构:

from lxml import etree
data = """[your xml above]"""
doc = etree.XML(data)

print(doc.xpath('//node[1]//*[not(self::party)][@iot]/@iot'))

更笼统地说:

for t in doc.xpath('//node[1]//children'):
    print(t.xpath('.//descendant-or-self::*/@iot'))

无论哪种情况,输出都应该是

['A', 'B|S', 'FF', 'C']