Python 3 синтаксический анализ XML-файла с ElementTree - PullRequest
0 голосов
/ 18 октября 2018

Справка, у меня есть следующий XML-файл, из которого я пытаюсь прочитать и извлечь данные, ниже приведен фрагмент из XML-файла,

<Variable name="Inboard_ED_mm" state="Output" type="double[]">17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154<Properties><Property name="index">25</Property><Property name="description"></Property><Property name="upperBound">0</Property><Property name="hasUpperBound">false</Property><Property name="lowerBound">0</Property><Property name="hasLowerBound">false</Property><Property name="units"></Property><Property name="enumeratedValues"></Property><Property name="enumeratedAliases"></Property><Property name="validity">true</Property><Property name="autoSize">true</Property><Property name="userSlices"></Property></Properties></Variable>

Я пытаюсьизвлеките следующее, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154

Я рассмотрел пример здесь, xml.etree.ElementTree - API-интерфейс ElementTree XML , и я могу заставить пример работать, но когда я изменяюкод для вышеупомянутого xml, код ничего не возвращает!

Вот мой код,

import xml.etree.ElementTree as ET
work_dir = r"C:\Temp\APROCONE\Python"

with open(model.xml, 'rt') as f:
    tree = ET.parse(f)
    root = tree.getroot()

for Variable in root.findall('Variable'):
    type = Variable.find('type').text
    name = Variable.get('name')
    print(name, type)

Есть идеи?Заранее спасибо за любую помощь.

Редактировать: Спасибо всем, кто прокомментировал.По твоему совету у меня была игра и поиск, и я получил следующий код:

with open(os.path.join(work_dir, "output.txt"), "w") as f:
for child1Tag in root.getchildren():
    for child2Tag in child1Tag.getchildren():
        for child3Tag in child2Tag.getchildren():
            for child4Tag in child3Tag.getchildren():
                for child5Tag in child4Tag.getchildren():
                    name = child5Tag.get('name')
                    if name == "Inboard_ED_mm":
                        print(child5Tag.attrib, file=f)
                        print(name, file=f)
                        print(child5Tag.text, file=f)

Чтобы вернуть следующее,

{'name': 'Inboard_ED_mm', 'state': 'Output', 'type': 'double[]'}
Inboard_ED_mm
17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154, 17.154

Я знаю, не самый лучший код вмир, любые идеи о том, как упростить код, очень приветствуются.

Ответы [ 2 ]

0 голосов
/ 18 октября 2018

Вы говорите, что вышеизложенное является «извлечением» файла XML.Структура XML важна.Вышеуказанное просто находится внутри корневого узла?

for Variable in root.findall('Variable'):
    print(Variable.get('name'), Variable.text)

Или оно существует где-то глубже в структуре дерева XML, на известном уровне?

for Variable in root.findall('Path/To/Variable'):
    print(Variable.get('name'), Variable.text)

Или оно существует вкакой-то неопределенный более глубокий уровень в древовидной структуре XML?

for Variable in root.findall('.//Variable'):
    print(Variable.get('name'), Variable.text)

Демонстрация двух последних:

>>> import xml.etree.ElementTree as ET
>>> src = """
<root>
 <SubNode>
  <Variable name='x'>17.154, ..., 17.154<Properties>...</Properties></Variable>
  <Variable name='y'>14.174, ..., 15.471<Properties>...</Properties></Variable>
 </SubNode>
</root>"""
>>> root = ET.fromstring(src)
>>> for Variable in root.findall('SubNode/Variable'):
        print(Variable.get('name'), Variable.text)


x 17.154, ..., 17.154
y 14.174, ..., 15.471
>>>
>>> for Variable in root.findall('.//Variable'):
        print(Variable.get('name'), Variable.text)


x 17.154, ..., 17.154
y 14.174, ..., 15.471

Обновление

Исходя из вашего нового / уточненного / обновленного вопроса, вы ищете:

for child in root.findall("*/*/*/*/Variable[@name='Inboard_ED_mm']"):
    print(child.attrib, file=f)
    print(child.get('name'), file=f)
    print(child.text, file=f)

или

for child in root.findall(".//Variable[@name='Inboard_ED_mm']"):
    print(child.attrib, file=f)
    print(child.get('name'), file=f)
    print(child.text, file=f)

С точными тегами тегов от 1 до 4 мы можем датьвам более точный XPath, вместо того чтобы полагаться на */*/*/*/.

0 голосов
/ 18 октября 2018

Ваш корневой узел уже является тегом Variable, поэтому вы не найдете ничего с тегом Variable с findall, который может искать только дочерние узлы.Вместо этого вы должны просто вывести атрибут text корневого узла:

print(root.text)
...