XML 文件:
<?xml version="1.0" encoding="iso-8859-1"?>
<rdf:RDF xmlns:cim="http://iec.ch/TC57/2008/CIM-schema-cim13#" xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#">
<cim:Terminal rdf:ID="A_T1">
<cim:Terminal.ConductingEquipment rdf:resource="#A_EF2"/>
<cim:Terminal.ConnectivityNode rdf:resource="#A_CN1"/>
</cim:Terminal>
</rdf:RDF>
我想将 Terminal.ConnnectivityNode 元素的属性值和 Terminal 元素的属性值也作为上述 xml 的输出。我已经尝试过以下方式!
Python 代码:
from elementtree import ElementTree as etree
tree= etree.parse(r'N:\myinternwork\files xml of bus systems\cimxmleg.xml')
cim= "{http://iec.ch/TC57/2008/CIM-schema-cim13#}"
rdf= "{http://www.w3.org/1999/02/22-rdf-syntax-ns#}"
将以下行附加到代码中
print tree.find('{0}Terminal'.format(cim)).attrib
输出 1: : 符合预期
{'{http://www.w3.org/1999/02/22-rdf-syntax-ns#}ID': 'A_T1'}
如果我们将下面这行附加到上面的代码中
print tree.find('{0}Terminal'.format(cim)).attrib['rdf:ID']
output2 :rdf:ID 中的关键错误
如果我们将下面这行附加到上面的代码中
print tree.find('{0}Terminal/{0}Terminal.ConductivityEquipment'.format(cim))
output3 无
如何获得 output2 as A_T1 & Output3 as #A_CN1?
上面代码中{0}的意义是什么,我发现它必须通过net使用没有得到它的意义吗?
最佳答案
首先,您想知道的 {0}
是 Python 内置字符串格式化工具语法的一部分。 The Python documentation has a fairly comprehensive guide to the syntax. 在您的情况下,它只是被 cim
替换,从而产生字符串 {http://iec.ch/TC57/2008/CIM-schema-cim13#}Terminal
。
这里的问题是 ElementTree
对命名空间有点傻。您不能简单地提供 namespace 前缀(如 cim:
或 rdf:
),而是必须以 XPath 形式 提供 。这意味着 rdf:id
变成了 {http://www.w3.org/1999/02/22-rdf-syntax-ns#}ID
,非常笨重。ElementTree
确实支持 a way to use the namespace prefix for finding tags ,但不支持属性。这意味着您必须自己将 rdf:
扩展为 {http://www.w3.org/1999/02/22-rdf-syntax-ns#}
。
在您的情况下,它可能如下所示(还要注意 ID
区分大小写):tree.find('{0}Terminal'.format(cim)).attrib['{0}ID'.format(rdf)]
这些替换扩展为:tree.find('{http://iec.ch/TC57/2008/CIM-schema-cim13#}Terminal').attrib['{http://www.w3.org/1999/02/22-rdf-syntax-ns#}ID']
跳过这些箍后,它就可以工作了(但是请注意,ID 是 A_T1
而不是 #A_T1
)。当然,这一切都非常烦人,因此您也可以切换到 lxml 并为您处理大部分。
您的第三种情况不能仅仅因为 1) 它被命名为 Terminal.ConductingEquipment
而不是 Terminal.ConductivityEquipment
,以及 2) 如果您真的想要 A_CN1
而不是 A_EF2
,那是 ConnectivityNode
而不是 ConductingEquipment
。您可以使用 A_CN1
获取 tree.find('{0}Terminal/{0}Terminal.ConnectivityNode'.format(cim)).attrib['{0}resource'.format(rdf)]
。
关于python - 如何在python中使用ElementTree访问包含命名空间的xml中的属性值,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/44282975/