lxml.etree.XMLParser
オプションで使用できrecover=True
ます:
import sys
from lxml import etree
invalid_xml = """
<field name="id">abcdef</field>
<field name="intro" > pqrst</field>
<field name="desc"> this is a test file. We will show 5>2 and 3<5 and
try to remove non xml compatible characters.</field>
"""
root = etree.fromstring("<root>%s</root>" % invalid_xml,
parser=etree.XMLParser(recover=True))
root.getroottree().write(sys.stdout)
出力
<root>
<field name="id">abcdef</field>
<field name="intro"> pqrst</field>
<field name="desc"> this is a test file. We will show 5>2 and 35 and
try to remove non xml compatible characters.</field>
</root>
注:>
はそのままドキュメントに残され、>
完全<
に削除されます (xml テキストの無効な文字として)。
正規表現ベースのソリューション
単純な xml のようなコンテンツの場合re.split()
、タグをテキストから分離し、タグ以外のテキスト領域で置換を行うために使用できます。
import re
from itertools import izip_longest
from xml.sax.saxutils import escape # '<' -> '<'
# assumptions:
# doc = *( start_tag / end_tag / text )
# start_tag = '<' name *attr [ '/' ] '>'
# end_tag = '<' '/' name '>'
ws = r'[ \t\r\n]*' # allow ws between any token
name = '[a-zA-Z]+' # note: expand if necessary but the stricter the better
attr = '{name} {ws} = {ws} "[^"]*"' # note: fragile against missing '"'; no "'"
start_tag = '< {ws} {name} {ws} (?:{attr} {ws})* /? {ws} >'
end_tag = '{ws}'.join(['<', '/', '{name}', '>'])
tag = '{start_tag} | {end_tag}'
assert '{{' not in tag
while '{' in tag: # unwrap definitions
tag = tag.format(**vars())
tag_regex = re.compile('(%s)' % tag, flags=re.VERBOSE)
# escape &, <, > in the text
iters = [iter(tag_regex.split(invalid_xml))] * 2
pairs = izip_longest(*iters, fillvalue='') # iterate 2 items at a time
print(''.join(escape(text) + tag for text, tag in pairs))
タグの誤検知を避けるために、'{ws}'
上記のいくつかを削除できます。
出力
<field name="id">abcdef</field>
<field name="intro" > pqrst</field>
<field name="desc"> this is a test file. We will show 5>2 and 3<5 and
try to remove non xml compatible characters.</field>
注:<>
テキストでは両方ともエスケープされています。
escape(text)
上記の代わりに任意の関数を呼び出すことができます。
def escape4human(text):
return text.replace('<', 'less than').replace('>', 'greater than')