Использование lxml в python

Пример использования lxml

# coding: utf8

xml = '''<?xml version="1.0" encoding="UTF-8"?>
<soft>
    <os> 
        <item name="linux" dist="ubuntu">
            This text about linux
        </item>             
        <item name="mac os">
            Apple company
        </item>             
        <item name="windows" dist="XP" />             
    </os>
</soft>'''

from lxml import etree

tree = etree.XML(xml) # Парсинг строки
#tree = etree.parse('1.xml') # Парсинг файла

nodes = tree.xpath('/soft/os/item') # Открываем раздел
for node in nodes: # Перебираем элементы
    print node.tag,node.keys(),node.values()
    print 'name =',node.get('name') # Выводим параметр name
    print 'text =',[node.text] # Выводим текст элемента

# Доступ к тексту напрямую, с указанием фильтра
print 'text1',tree.xpath('/soft/os/item[@name="linux"]/text()')
print 'text2',tree.xpath('/soft/os/item[2]/text()')
# Доступ к параметру напрямую
print 'dist',tree.xpath('/soft/os/item[@name="linux"]')[0].get('dist')

# Рекурсивный перебор элементов
def getn(node):
    print node.tag,node.keys()
    for n in node:
        getn(n)
getn(tree.getroottree().getroot())
Результат

item ['name', 'dist'] ['linux', 'ubuntu']
name = linux
text = ['\n            This text about linux\n        ']
item ['name'] ['mac os']
name = mac os
text = ['\n            Apple company\n        ']
item ['name', 'dist'] ['windows', 'XP']
name = windows
text = [None]
text1 ['\n            This text about linux\n        ']
text2 ['\n            Apple company\n        ']
dist ubuntu
soft []
os []
item ['name', 'dist']
item ['name']
item ['name', 'dist'] 
Можно отобразить звено в виде xml текста

d = tree.xpath('//*')[0]
print etree.tostring(d)
print etree.tounicode(d)
Еще вариаант использования

Возник вопрос по дочерному элементу.

<competitions>
<competition date="Tue, 14 Sep 2010" id="701" name="Russia" sport="Soccer" tournament="12">
<team name="Team1"/>
<team name="Team2"/>
</competition>
</competitions>

При указании path
nodes = tree.xpath('/competitions/competition')
элементы тега <competition> собираются без проблем, но как добраться во время цикла к тегу <team>?

nodes = tree.xpath('/competitions/competition')
for node in nodes:
    for team in node:
        print team.values()
источник