我有以下结构:
<ins rev="REV-NEU" editindex="0">
<insacc rev="c3ce7877-42bf-4c41-b3c0-fd225ccaf512">eins</insacc>
<insacc rev="c3ce7877-42bf-4c41-b3c0-fd225ccaf512">zwei</insacc>
<insacc rev="c3ce7877-42bf-4c41-b3c0-fd225ccaf512">drei</insacc>
<insacc rev="c3ce7877-42bf-4c41-b3c0-fd225ccaf512">vier</insacc>
</ins>
<del rev="REV-NEU" editindex="1">eins</del>
<insacc rev="c3ce7877-42bf-4c41-b3c0-fd225ccaf512">fünf</insacc>
使用正则表达式我想将ins-tag与多个insacc-tags(可以是1或20)匹配。
我尝试使用以下正则表达式,但它只匹配最后一个insacc:
<ins rev="[^<]+" editindex="[^<]+">(<(insacc|deldec) rev="[^<]+">([^<]+)</(insacc|deldec)>)+</ins>
答案 0 :(得分:4)
您应该使用lxml
。
from lxml import etree
xml = etree.fromstring(xml_string)
ins_tags = xml.xpath('//ins[./insacc]')
for ins_tag in ins_tags:
# do work
不是很简单吗?
答案 1 :(得分:0)
一定要使用lxml
或Beautiful Soup
(see this answer for why)。正则表达式无法真正做到你想要的,因为组计数是固定的。以下是更多信息:an article on repeating groups in regexes和this SO answer providing an alternative。
答案 2 :(得分:0)
我无法用正则表达式可靠或轻松地做到这一点:
# -*- coding: utf 8 -*-
import xml.etree.ElementTree as et
xml='''\
<data>
<ins rev="REV-NEU" editindex="0">
<insacc rev="c3ce7877-42bf-4c41-b3c0-fd225ccaf512">eins</insacc>
<insacc rev="c3ce7877-42bf-4c41-b3c0-fd225ccaf512">zwei</insacc>
<insacc rev="c3ce7877-42bf-4c41-b3c0-fd225ccaf512">drei</insacc>
<insacc rev="c3ce7877-42bf-4c41-b3c0-fd225ccaf512">vier</insacc>
</ins>
<del rev="REV-NEU" editindex="1">eins</del>
<insacc rev="c3ce7877-42bf-4c41-b3c0-fd225ccaf512">fünf</insacc>
</data>'''
for child in et.fromstring(xml).iter():
print child.tag, child.attrib, child.text
打印:
data {}
ins {'editindex': '0', 'rev': 'REV-NEU'}
insacc {'rev': 'c3ce7877-42bf-4c41-b3c0-fd225ccaf512'} eins
insacc {'rev': 'c3ce7877-42bf-4c41-b3c0-fd225ccaf512'} zwei
insacc {'rev': 'c3ce7877-42bf-4c41-b3c0-fd225ccaf512'} drei
insacc {'rev': 'c3ce7877-42bf-4c41-b3c0-fd225ccaf512'} vier
del {'editindex': '1', 'rev': 'REV-NEU'} eins
insacc {'rev': 'c3ce7877-42bf-4c41-b3c0-fd225ccaf512'} fünf
如果您只想要./ins/insacc
,请使用xpath:
for child in et.fromstring(xml).findall('./ins/insacc'):
print child.tag, child.attrib, child.text
打印:
insacc {'rev': 'c3ce7877-42bf-4c41-b3c0-fd225ccaf512'} eins
insacc {'rev': 'c3ce7877-42bf-4c41-b3c0-fd225ccaf512'} zwei
insacc {'rev': 'c3ce7877-42bf-4c41-b3c0-fd225ccaf512'} drei
insacc {'rev': 'c3ce7877-42bf-4c41-b3c0-fd225ccaf512'} vier
如果您希望所有insacc
甚至在根目录:
for child in et.fromstring(xml).iter():
if child.tag=='insacc':
print child.tag, child.attrib, child.text
insacc {'rev': 'c3ce7877-42bf-4c41-b3c0-fd225ccaf512'} eins
insacc {'rev': 'c3ce7877-42bf-4c41-b3c0-fd225ccaf512'} zwei
insacc {'rev': 'c3ce7877-42bf-4c41-b3c0-fd225ccaf512'} drei
insacc {'rev': 'c3ce7877-42bf-4c41-b3c0-fd225ccaf512'} vier
insacc {'rev': 'c3ce7877-42bf-4c41-b3c0-fd225ccaf512'} fünf