最小限の DOM 実装:
リンク。
Python は、XML DOM ( xml.dom ) の完全な W3C 標準実装と、最小限の実装であるxml.dom.minidomを提供します。この後者は、完全な実装よりも単純で小さいです。ただし、「解析の観点」からは、標準 DOM のすべての長所と短所があります。つまり、すべてをメモリにロードします。
基本的な XML ファイルについて考えてみます。
<?xml version="1.0"?>
<catalog>
<book isdn="xxx-1">
<author>A1</author>
<title>T1</title>
</book>
<book isdn="xxx-2">
<author>A2</author>
<title>T2</title>
</book>
</catalog>
minidomを使用できる Python パーサーは次のとおりです。
import os
from xml.dom import minidom
from xml.parsers.expat import ExpatError
#-------- Select the XML file: --------#
#Current file name and directory:
curpath = os.path.dirname( os.path.realpath(__file__) )
filename = os.path.join(curpath, "sample.xml")
#print "Filename: %s" % (filename)
#-------- Parse the XML file: --------#
try:
#Parse the given XML file:
xmldoc = minidom.parse(filepath)
except ExpatError as e:
print "[XML] Error (line %d): %d" % (e.lineno, e.code)
print "[XML] Offset: %d" % (e.offset)
raise e
except IOError as e:
print "[IO] I/O Error %d: %s" % (e.errno, e.strerror)
raise e
else:
catalog = xmldoc.documentElement
books = catalog.getElementsByTagName("book")
for book in books:
print book.getAttribute('isdn')
print book.getElementsByTagName('author')[0].firstChild.data
print book.getElementsByTagName('title')[0].firstChild.data
xml.parsers.expatは、Expat 非検証 XML パーサー (docs.python.org/2/library/pyexpat.html) への Python インターフェースであることに注意してください。
xml.domパッケージは例外クラスDOMExceptionも提供しますが、 minidomではサポートされていません!
ElementTree XML API:
リンク。
ElementTreeははるかに使いやすく、XML DOM よりも必要なメモリが少なくて済みます。さらに、C 実装が利用可能です ( xml.etree.cElementTree )。
ElementTreeを使用できる Python パーサーは次のとおりです。
import os
from xml.etree import cElementTree # C implementation of xml.etree.ElementTree
from xml.parsers.expat import ExpatError # XML formatting errors
#-------- Select the XML file: --------#
#Current file name and directory:
curpath = os.path.dirname( os.path.realpath(__file__) )
filename = os.path.join(curpath, "sample.xml")
#print "Filename: %s" % (filename)
#-------- Parse the XML file: --------#
try:
#Parse the given XML file:
tree = cElementTree.parse(filename)
except ExpatError as e:
print "[XML] Error (line %d): %d" % (e.lineno, e.code)
print "[XML] Offset: %d" % (e.offset)
raise e
except IOError as e:
print "[XML] I/O Error %d: %s" % (e.errno, e.strerror)
raise e
else:
catalogue = tree.getroot()
for book in catalogue:
print book.attrib.get("isdn")
print book.find('author').text
print book.find('title').text