问题
I am trying to get my script working. So far it doesn't managed to output anything.
This is my test.xml
<mediawiki xmlns="http://www.mediawiki.org/xml/export-0.8/" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://www.mediawiki.org/xml/export-0.8/ http://www.mediawiki.org/xml/export-0.8.xsd" version="0.8" xml:lang="it">
<page>
<title>MediaWiki:Category</title>
<ns>0</ns>
<id>2</id>
<revision>
<id>11248</id>
<timestamp>2003-12-31T13:47:54Z</timestamp>
<contributor>
<username>Frieda</username>
<id>0</id>
</contributor>
<minor />
<text xml:space="preserve">categoria</text>
<sha1>0acykl71lto9v65yve23lmjgia1h6sz</sha1>
<model>wikitext</model>
<format>text/x-wiki</format>
</revision>
</page>
</mediawiki>
And this is my code
from lxml import etree
def fast_iter(context, func):
# fast_iter is useful if you need to free memory while iterating through a
# very large XML file.
#
# http://www.ibm.com/developerworks/xml/library/x-hiperfparse/
# Author: Liza Daly
for event, elem in context:
func(elem)
elem.clear()
while elem.getprevious() is not None:
del elem.getparent()[0]
del context
def process_element(elem):
if elem.ns.text == '0':
print elem.title.text
context=etree.iterparse('test.xml', events=('end',), tag='page')
fast_iter(context, process_element)
I don't get any error, simply there's no output. What I want to get is to parse the element if is 0.
回答1:
You are parsing a namespaced document, and there is no 'page'
tag present, because that only applies to tags without a namespace.
You are instead looking for the '{http://www.mediawiki.org/xml/export-0.8/}page'
element, which contains a '{http://www.mediawiki.org/xml/export-0.8/}ns'
element.
Many lxml
methods do let you specify a namespace map to make matching easier, but the iterparse()
method is not one of them, unfortunately.
The following .iterparse()
call certainly processes the right page
tags:
context = etree.iterparse('test.xml', events=('end',), tag='{http://www.mediawiki.org/xml/export-0.8/}page')
but you'll need to use .find()
to get the ns
and title
tags on the page element, or use xpath()
calls to get the text directly:
def process_element(elem):
if elem.xpath("./*[local-name()='ns']/text()=0"):
print elem.xpath("./*[local-name()='title']/text()")[0]
which, for your input example, prints:
>>> fast_iter(context, process_element)
MediaWiki:Category
来源:https://stackoverflow.com/questions/16565995/parse-large-xml-with-lxml