如何在不通过名称获取根节点的情况下读取它们的属性?

How can I read the attributes of a root node without getting them by name?

假设,我有以下 XML 文件:

<?xml version="1.0" encoding="utf-8"?>
<library attrib1="att11" attrib2="att22">
    library-text
    <book isbn="1111111111">
        <title lang="en">T1 T1 T1 T1 T1</title>
        <date>2001</date>
        <author>A1 A1 A1 A1 A1</author>     
        <price>10.00</price>
    </book>
    <book isbn="2222222222">
        <title lang="en">T2 T2 T2 T2 T2</title>
        <date>2002</date>
        <author>A2 A2 A2 A2 A2</author>     
        <price>20.00</price>
    </book>
    <book isbn="3333333333">
        <title lang="en">T3 T3 T3 T3</title>
        <date>2003</date>
        <author>A3 A3 A3 A3 A3y</author>        
        <price>30.00</price>
    </book>
</library>

我想以编程方式打印根节点的属性名称及其值。

我该怎么做?

我尝试了以下代码:

import xml.dom.minidom as minidom

xml_fname = "library.xml"

dom = minidom.parse(xml_fname) 

print(dom.firstChild.tagName)
print(dom.firstChild.attributes[0].value)

它给出了以下错误:

Traceback (most recent call last):
  File "main.py", line 8, in <module>
    print(dom.firstChild.attributes[0].value)
  File "/usr/lib/python3.8/xml/dom/minidom.py", line 552, in __getitem__
    return self._attrs[attname_or_tuple]
KeyError: 0

DOM Node.attributes 对象是一个 NamedNodeMap object,您必须使用规范中定义的接口。您不能只对它们进行索引,不支持 Python-like 索引。

规范告诉你有一个 .length 属性和一个 item() 方法,其中 returns 一个 Node 子类型,这里是 Attr objects:

>>> attributes = dom.firstChild.attributes
>>> for i in range(attributes.length):
...     print(attributes.item(i))
...
<xml.dom.minidom.Attr object at 0x10e47f6d0>
<xml.dom.minidom.Attr object at 0x10e47f660>

每个 Attr 对象都有 namevalue 属性:

>>> for i in range(attributes.length):
...     attr = attributes.item(i)
...     print(f"Name: {attr.name}, value: {attr.value}")
...
Name: attrib1, value: att11
Name: attrib2, value: att22

我在之前的回答中已经说过,但我会在这里重申:DOM API 非常简单 ,并且一点也不 Pythonic。它的行为与您期望的 Python 对象的行为不同。如果您想要更多 Pythonic,请使用 ElementTree API。例如,ElementTree API 元素有一个 .attrib 属性,它是一个 Python 字典。