blob: 813e0e369f3e9539ce410f345a357be8d21fbc95 [file] [log] [blame]
Georg Brandl116aa622007-08-15 14:28:22 +00001:mod:`xml.etree.ElementTree` --- The ElementTree XML API
2========================================================
3
4.. module:: xml.etree.ElementTree
5 :synopsis: Implementation of the ElementTree API.
6.. moduleauthor:: Fredrik Lundh <fredrik@pythonware.com>
7
Eli Benderskyc1d98692012-03-30 11:44:15 +03008The :mod:`xml.etree.ElementTree` module implements a simple and efficient API
9for parsing and creating XML data.
Florent Xiclunaf15351d2010-03-13 23:24:31 +000010
Florent Xiclunaa72a98f2012-02-13 11:03:30 +010011.. versionchanged:: 3.3
12 This module will use a fast implementation whenever available.
13 The :mod:`xml.etree.cElementTree` module is deprecated.
14
Eli Benderskyc1d98692012-03-30 11:44:15 +030015Tutorial
16--------
Georg Brandl116aa622007-08-15 14:28:22 +000017
Eli Benderskyc1d98692012-03-30 11:44:15 +030018This is a short tutorial for using :mod:`xml.etree.ElementTree` (``ET`` in
19short). The goal is to demonstrate some of the building blocks and basic
20concepts of the module.
Eli Bendersky3a4875e2012-03-26 20:43:32 +020021
Eli Benderskyc1d98692012-03-30 11:44:15 +030022XML tree and elements
23^^^^^^^^^^^^^^^^^^^^^
Eli Bendersky3a4875e2012-03-26 20:43:32 +020024
Eli Benderskyc1d98692012-03-30 11:44:15 +030025XML is an inherently hierarchical data format, and the most natural way to
26represent it is with a tree. ``ET`` has two classes for this purpose -
27:class:`ElementTree` represents the whole XML document as a tree, and
28:class:`Element` represents a single node in this tree. Interactions with
29the whole document (reading and writing to/from files) are usually done
30on the :class:`ElementTree` level. Interactions with a single XML element
31and its sub-elements are done on the :class:`Element` level.
Eli Bendersky3a4875e2012-03-26 20:43:32 +020032
Eli Benderskyc1d98692012-03-30 11:44:15 +030033.. _elementtree-parsing-xml:
Eli Bendersky3a4875e2012-03-26 20:43:32 +020034
Eli Benderskyc1d98692012-03-30 11:44:15 +030035Parsing XML
36^^^^^^^^^^^
Eli Bendersky3a4875e2012-03-26 20:43:32 +020037
Eli Bendersky0f4e9342012-08-14 07:19:33 +030038We'll be using the following XML document as the sample data for this section:
Eli Bendersky3a4875e2012-03-26 20:43:32 +020039
Eli Bendersky0f4e9342012-08-14 07:19:33 +030040.. code-block:: xml
41
42 <?xml version="1.0"?>
Eli Bendersky3a4875e2012-03-26 20:43:32 +020043 <data>
44 <country name="Liechtenshtein">
45 <rank>1</rank>
46 <year>2008</year>
47 <gdppc>141100</gdppc>
48 <neighbor name="Austria" direction="E"/>
49 <neighbor name="Switzerland" direction="W"/>
50 </country>
51 <country name="Singapore">
52 <rank>4</rank>
53 <year>2011</year>
54 <gdppc>59900</gdppc>
55 <neighbor name="Malaysia" direction="N"/>
56 </country>
57 <country name="Panama">
58 <rank>68</rank>
59 <year>2011</year>
60 <gdppc>13600</gdppc>
61 <neighbor name="Costa Rica" direction="W"/>
62 <neighbor name="Colombia" direction="E"/>
63 </country>
64 </data>
Eli Bendersky3a4875e2012-03-26 20:43:32 +020065
Eli Bendersky0f4e9342012-08-14 07:19:33 +030066We can import this data by reading from a file::
Eli Benderskyc1d98692012-03-30 11:44:15 +030067
68 import xml.etree.ElementTree as ET
Eli Bendersky0f4e9342012-08-14 07:19:33 +030069 tree = ET.parse('country_data.xml')
70 root = tree.getroot()
Eli Benderskyc1d98692012-03-30 11:44:15 +030071
Eli Bendersky0f4e9342012-08-14 07:19:33 +030072Or directly from a string::
73
74 root = ET.fromstring(country_data_as_string)
Eli Benderskyc1d98692012-03-30 11:44:15 +030075
76:func:`fromstring` parses XML from a string directly into an :class:`Element`,
77which is the root element of the parsed tree. Other parsing functions may
Eli Bendersky0f4e9342012-08-14 07:19:33 +030078create an :class:`ElementTree`. Check the documentation to be sure.
Eli Benderskyc1d98692012-03-30 11:44:15 +030079
80As an :class:`Element`, ``root`` has a tag and a dictionary of attributes::
81
82 >>> root.tag
83 'data'
84 >>> root.attrib
85 {}
86
87It also has children nodes over which we can iterate::
88
89 >>> for child in root:
90 ... print(child.tag, child.attrib)
91 ...
92 country {'name': 'Liechtenshtein'}
93 country {'name': 'Singapore'}
94 country {'name': 'Panama'}
95
96Children are nested, and we can access specific child nodes by index::
97
98 >>> root[0][1].text
99 '2008'
100
101Finding interesting elements
102^^^^^^^^^^^^^^^^^^^^^^^^^^^^
103
104:class:`Element` has some useful methods that help iterate recursively over all
105the sub-tree below it (its children, their children, and so on). For example,
106:meth:`Element.iter`::
107
108 >>> for neighbor in root.iter('neighbor'):
109 ... print(neighbor.attrib)
110 ...
111 {'name': 'Austria', 'direction': 'E'}
112 {'name': 'Switzerland', 'direction': 'W'}
113 {'name': 'Malaysia', 'direction': 'N'}
114 {'name': 'Costa Rica', 'direction': 'W'}
115 {'name': 'Colombia', 'direction': 'E'}
116
Eli Bendersky0f4e9342012-08-14 07:19:33 +0300117:meth:`Element.findall` finds only elements with a tag which are direct
118children of the current element. :meth:`Element.find` finds the *first* child
119with a particular tag, and :meth:`Element.text` accesses the element's text
120content. :meth:`Element.get` accesses the element's attributes::
121
122 >>> for country in root.findall('country'):
123 ... rank = country.find('rank').text
124 ... name = country.get('name')
125 ... print(name, rank)
126 ...
127 Liechtenshtein 1
128 Singapore 4
129 Panama 68
130
Eli Benderskyc1d98692012-03-30 11:44:15 +0300131More sophisticated specification of which elements to look for is possible by
132using :ref:`XPath <elementtree-xpath>`.
133
Eli Bendersky0f4e9342012-08-14 07:19:33 +0300134Modifying an XML File
135^^^^^^^^^^^^^^^^^^^^^
Eli Benderskyc1d98692012-03-30 11:44:15 +0300136
Eli Bendersky0f4e9342012-08-14 07:19:33 +0300137:class:`ElementTree` provides a simple way to build XML documents and write them to files.
Eli Benderskyc1d98692012-03-30 11:44:15 +0300138The :meth:`ElementTree.write` method serves this purpose.
139
140Once created, an :class:`Element` object may be manipulated by directly changing
141its fields (such as :attr:`Element.text`), adding and modifying attributes
142(:meth:`Element.set` method), as well as adding new children (for example
143with :meth:`Element.append`).
144
Eli Bendersky0f4e9342012-08-14 07:19:33 +0300145Let's say we want to add one to each country's rank, and add an ``updated``
146attribute to the rank element::
147
148 >>> for rank in root.iter('rank'):
149 ... new_rank = int(rank.text) + 1
150 ... rank.text = str(new_rank)
151 ... rank.set('updated', 'yes')
152 ...
153 ... tree.write('output.xml')
154
155Our XML now looks like this:
156
157.. code-block:: xml
158
159 <?xml version="1.0"?>
160 <data>
161 <country name="Liechtenshtein">
162 <rank updated="yes">2</rank>
163 <year>2008</year>
164 <gdppc>141100</gdppc>
165 <neighbor name="Austria" direction="E"/>
166 <neighbor name="Switzerland" direction="W"/>
167 </country>
168 <country name="Singapore">
169 <rank updated="yes">5</rank>
170 <year>2011</year>
171 <gdppc>59900</gdppc>
172 <neighbor name="Malaysia" direction="N"/>
173 </country>
174 <country name="Panama">
175 <rank updated="yes">69</rank>
176 <year>2011</year>
177 <gdppc>13600</gdppc>
178 <neighbor name="Costa Rica" direction="W"/>
179 <neighbor name="Colombia" direction="E"/>
180 </country>
181 </data>
182
183We can remove elements using :meth:`Element.remove`. Let's say we want to
184remove all countries with a rank higher than 50::
185
186 >>> for country in root.findall('country'):
187 ... rank = int(country.find('rank').text)
188 ... if rank > 50:
189 ... root.remove(country)
190 ...
191 ... tree.write('output.xml')
192
193Our XML now looks like this:
194
195.. code-block:: xml
196
197 <?xml version="1.0"?>
198 <data>
199 <country name="Liechtenshtein">
200 <rank updated="yes">2</rank>
201 <year>2008</year>
202 <gdppc>141100</gdppc>
203 <neighbor name="Austria" direction="E"/>
204 <neighbor name="Switzerland" direction="W"/>
205 </country>
206 <country name="Singapore">
207 <rank updated="yes">5</rank>
208 <year>2011</year>
209 <gdppc>59900</gdppc>
210 <neighbor name="Malaysia" direction="N"/>
211 </country>
212 </data>
213
214Building XML documents
215^^^^^^^^^^^^^^^^^^^^^^
216
Eli Benderskyc1d98692012-03-30 11:44:15 +0300217The :func:`SubElement` function also provides a convenient way to create new
218sub-elements for a given element::
219
220 >>> a = ET.Element('a')
221 >>> b = ET.SubElement(a, 'b')
222 >>> c = ET.SubElement(a, 'c')
223 >>> d = ET.SubElement(c, 'd')
224 >>> ET.dump(a)
225 <a><b /><c><d /></c></a>
226
227Additional resources
228^^^^^^^^^^^^^^^^^^^^
229
230See http://effbot.org/zone/element-index.htm for tutorials and links to other
231docs.
232
233
234.. _elementtree-xpath:
235
236XPath support
237-------------
238
239This module provides limited support for
240`XPath expressions <http://www.w3.org/TR/xpath>`_ for locating elements in a
241tree. The goal is to support a small subset of the abbreviated syntax; a full
242XPath engine is outside the scope of the module.
243
244Example
245^^^^^^^
246
247Here's an example that demonstrates some of the XPath capabilities of the
248module. We'll be using the ``countrydata`` XML document from the
249:ref:`Parsing XML <elementtree-parsing-xml>` section::
250
251 import xml.etree.ElementTree as ET
252
253 root = ET.fromstring(countrydata)
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200254
255 # Top-level elements
Eli Benderskyc1d98692012-03-30 11:44:15 +0300256 root.findall(".")
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200257
258 # All 'neighbor' grand-children of 'country' children of the top-level
259 # elements
Eli Benderskyc1d98692012-03-30 11:44:15 +0300260 root.findall("./country/neighbor")
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200261
262 # Nodes with name='Singapore' that have a 'year' child
Eli Benderskyc1d98692012-03-30 11:44:15 +0300263 root.findall(".//year/..[@name='Singapore']")
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200264
265 # 'year' nodes that are children of nodes with name='Singapore'
Eli Benderskyc1d98692012-03-30 11:44:15 +0300266 root.findall(".//*[@name='Singapore']/year")
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200267
268 # All 'neighbor' nodes that are the second child of their parent
Eli Benderskyc1d98692012-03-30 11:44:15 +0300269 root.findall(".//neighbor[2]")
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200270
271Supported XPath syntax
272^^^^^^^^^^^^^^^^^^^^^^
273
274+-----------------------+------------------------------------------------------+
275| Syntax | Meaning |
276+=======================+======================================================+
277| ``tag`` | Selects all child elements with the given tag. |
278| | For example, ``spam`` selects all child elements |
279| | named ``spam``, ``spam/egg`` selects all |
280| | grandchildren named ``egg`` in all children named |
281| | ``spam``. |
282+-----------------------+------------------------------------------------------+
283| ``*`` | Selects all child elements. For example, ``*/egg`` |
284| | selects all grandchildren named ``egg``. |
285+-----------------------+------------------------------------------------------+
286| ``.`` | Selects the current node. This is mostly useful |
287| | at the beginning of the path, to indicate that it's |
288| | a relative path. |
289+-----------------------+------------------------------------------------------+
290| ``//`` | Selects all subelements, on all levels beneath the |
Eli Benderskyede001a2012-03-27 04:57:23 +0200291| | current element. For example, ``.//egg`` selects |
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200292| | all ``egg`` elements in the entire tree. |
293+-----------------------+------------------------------------------------------+
294| ``..`` | Selects the parent element. |
295+-----------------------+------------------------------------------------------+
296| ``[@attrib]`` | Selects all elements that have the given attribute. |
297+-----------------------+------------------------------------------------------+
298| ``[@attrib='value']`` | Selects all elements for which the given attribute |
299| | has the given value. The value cannot contain |
300| | quotes. |
301+-----------------------+------------------------------------------------------+
302| ``[tag]`` | Selects all elements that have a child named |
303| | ``tag``. Only immediate children are supported. |
304+-----------------------+------------------------------------------------------+
305| ``[position]`` | Selects all elements that are located at the given |
306| | position. The position can be either an integer |
307| | (1 is the first position), the expression ``last()`` |
308| | (for the last position), or a position relative to |
309| | the last position (e.g. ``last()-1``). |
310+-----------------------+------------------------------------------------------+
311
312Predicates (expressions within square brackets) must be preceded by a tag
313name, an asterisk, or another predicate. ``position`` predicates must be
314preceded by a tag name.
315
316Reference
317---------
318
Georg Brandl116aa622007-08-15 14:28:22 +0000319.. _elementtree-functions:
320
321Functions
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200322^^^^^^^^^
Georg Brandl116aa622007-08-15 14:28:22 +0000323
324
Georg Brandl7f01a132009-09-16 15:58:14 +0000325.. function:: Comment(text=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000326
Georg Brandlf6945182008-02-01 11:56:49 +0000327 Comment element factory. This factory function creates a special element
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000328 that will be serialized as an XML comment by the standard serializer. The
329 comment string can be either a bytestring or a Unicode string. *text* is a
330 string containing the comment string. Returns an element instance
Georg Brandlf6945182008-02-01 11:56:49 +0000331 representing a comment.
Georg Brandl116aa622007-08-15 14:28:22 +0000332
333
334.. function:: dump(elem)
335
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000336 Writes an element tree or element structure to sys.stdout. This function
337 should be used for debugging only.
Georg Brandl116aa622007-08-15 14:28:22 +0000338
339 The exact output format is implementation dependent. In this version, it's
340 written as an ordinary XML file.
341
342 *elem* is an element tree or an individual element.
343
344
Georg Brandl116aa622007-08-15 14:28:22 +0000345.. function:: fromstring(text)
346
Florent Xiclunadddd5e92010-03-14 01:28:07 +0000347 Parses an XML section from a string constant. Same as :func:`XML`. *text*
348 is a string containing XML data. Returns an :class:`Element` instance.
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000349
350
351.. function:: fromstringlist(sequence, parser=None)
352
353 Parses an XML document from a sequence of string fragments. *sequence* is a
354 list or other sequence containing XML data fragments. *parser* is an
355 optional parser instance. If not given, the standard :class:`XMLParser`
356 parser is used. Returns an :class:`Element` instance.
357
Ezio Melottif8754a62010-03-21 07:16:43 +0000358 .. versionadded:: 3.2
Georg Brandl116aa622007-08-15 14:28:22 +0000359
360
361.. function:: iselement(element)
362
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000363 Checks if an object appears to be a valid element object. *element* is an
364 element instance. Returns a true value if this is an element object.
Georg Brandl116aa622007-08-15 14:28:22 +0000365
366
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000367.. function:: iterparse(source, events=None, parser=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000368
369 Parses an XML section into an element tree incrementally, and reports what's
Eli Bendersky604c4ff2012-03-16 08:41:30 +0200370 going on to the user. *source* is a filename or :term:`file object`
371 containing XML data. *events* is a list of events to report back. The
372 supported events are the strings ``"start"``, ``"end"``, ``"start-ns"``
373 and ``"end-ns"`` (the "ns" events are used to get detailed namespace
374 information). If *events* is omitted, only ``"end"`` events are reported.
375 *parser* is an optional parser instance. If not given, the standard
376 :class:`XMLParser` parser is used. Returns an :term:`iterator` providing
377 ``(event, elem)`` pairs.
Georg Brandl116aa622007-08-15 14:28:22 +0000378
Benjamin Peterson75edad02009-01-01 15:05:06 +0000379 .. note::
380
381 :func:`iterparse` only guarantees that it has seen the ">"
382 character of a starting tag when it emits a "start" event, so the
383 attributes are defined, but the contents of the text and tail attributes
384 are undefined at that point. The same applies to the element children;
385 they may or may not be present.
386
387 If you need a fully populated element, look for "end" events instead.
388
Georg Brandl116aa622007-08-15 14:28:22 +0000389
Georg Brandl7f01a132009-09-16 15:58:14 +0000390.. function:: parse(source, parser=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000391
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000392 Parses an XML section into an element tree. *source* is a filename or file
393 object containing XML data. *parser* is an optional parser instance. If
394 not given, the standard :class:`XMLParser` parser is used. Returns an
395 :class:`ElementTree` instance.
Georg Brandl116aa622007-08-15 14:28:22 +0000396
397
Georg Brandl7f01a132009-09-16 15:58:14 +0000398.. function:: ProcessingInstruction(target, text=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000399
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000400 PI element factory. This factory function creates a special element that
401 will be serialized as an XML processing instruction. *target* is a string
402 containing the PI target. *text* is a string containing the PI contents, if
403 given. Returns an element instance, representing a processing instruction.
404
405
406.. function:: register_namespace(prefix, uri)
407
408 Registers a namespace prefix. The registry is global, and any existing
409 mapping for either the given prefix or the namespace URI will be removed.
410 *prefix* is a namespace prefix. *uri* is a namespace uri. Tags and
411 attributes in this namespace will be serialized with the given prefix, if at
412 all possible.
413
Ezio Melottif8754a62010-03-21 07:16:43 +0000414 .. versionadded:: 3.2
Georg Brandl116aa622007-08-15 14:28:22 +0000415
416
Georg Brandl7f01a132009-09-16 15:58:14 +0000417.. function:: SubElement(parent, tag, attrib={}, **extra)
Georg Brandl116aa622007-08-15 14:28:22 +0000418
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000419 Subelement factory. This function creates an element instance, and appends
420 it to an existing element.
Georg Brandl116aa622007-08-15 14:28:22 +0000421
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000422 The element name, attribute names, and attribute values can be either
423 bytestrings or Unicode strings. *parent* is the parent element. *tag* is
424 the subelement name. *attrib* is an optional dictionary, containing element
425 attributes. *extra* contains additional attributes, given as keyword
426 arguments. Returns an element instance.
Georg Brandl116aa622007-08-15 14:28:22 +0000427
428
Florent Xiclunac17f1722010-08-08 19:48:29 +0000429.. function:: tostring(element, encoding="us-ascii", method="xml")
Georg Brandl116aa622007-08-15 14:28:22 +0000430
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000431 Generates a string representation of an XML element, including all
Florent Xiclunadddd5e92010-03-14 01:28:07 +0000432 subelements. *element* is an :class:`Element` instance. *encoding* [1]_ is
Florent Xiclunac17f1722010-08-08 19:48:29 +0000433 the output encoding (default is US-ASCII). Use ``encoding="unicode"`` to
434 generate a Unicode string. *method* is either ``"xml"``,
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000435 ``"html"`` or ``"text"`` (default is ``"xml"``). Returns an (optionally)
436 encoded string containing the XML data.
Georg Brandl116aa622007-08-15 14:28:22 +0000437
438
Florent Xiclunac17f1722010-08-08 19:48:29 +0000439.. function:: tostringlist(element, encoding="us-ascii", method="xml")
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000440
441 Generates a string representation of an XML element, including all
Florent Xiclunadddd5e92010-03-14 01:28:07 +0000442 subelements. *element* is an :class:`Element` instance. *encoding* [1]_ is
Florent Xiclunac17f1722010-08-08 19:48:29 +0000443 the output encoding (default is US-ASCII). Use ``encoding="unicode"`` to
444 generate a Unicode string. *method* is either ``"xml"``,
Florent Xiclunadddd5e92010-03-14 01:28:07 +0000445 ``"html"`` or ``"text"`` (default is ``"xml"``). Returns a list of
446 (optionally) encoded strings containing the XML data. It does not guarantee
447 any specific sequence, except that ``"".join(tostringlist(element)) ==
448 tostring(element)``.
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000449
Ezio Melottif8754a62010-03-21 07:16:43 +0000450 .. versionadded:: 3.2
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000451
452
453.. function:: XML(text, parser=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000454
455 Parses an XML section from a string constant. This function can be used to
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000456 embed "XML literals" in Python code. *text* is a string containing XML
457 data. *parser* is an optional parser instance. If not given, the standard
458 :class:`XMLParser` parser is used. Returns an :class:`Element` instance.
Georg Brandl116aa622007-08-15 14:28:22 +0000459
460
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000461.. function:: XMLID(text, parser=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000462
463 Parses an XML section from a string constant, and also returns a dictionary
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000464 which maps from element id:s to elements. *text* is a string containing XML
465 data. *parser* is an optional parser instance. If not given, the standard
466 :class:`XMLParser` parser is used. Returns a tuple containing an
467 :class:`Element` instance and a dictionary.
Georg Brandl116aa622007-08-15 14:28:22 +0000468
469
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000470.. _elementtree-element-objects:
Georg Brandl116aa622007-08-15 14:28:22 +0000471
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000472Element Objects
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200473^^^^^^^^^^^^^^^
Georg Brandl116aa622007-08-15 14:28:22 +0000474
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000475.. class:: Element(tag, attrib={}, **extra)
Georg Brandl116aa622007-08-15 14:28:22 +0000476
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000477 Element class. This class defines the Element interface, and provides a
478 reference implementation of this interface.
Georg Brandl116aa622007-08-15 14:28:22 +0000479
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000480 The element name, attribute names, and attribute values can be either
481 bytestrings or Unicode strings. *tag* is the element name. *attrib* is
482 an optional dictionary, containing element attributes. *extra* contains
483 additional attributes, given as keyword arguments.
Georg Brandl116aa622007-08-15 14:28:22 +0000484
485
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000486 .. attribute:: tag
Georg Brandl116aa622007-08-15 14:28:22 +0000487
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000488 A string identifying what kind of data this element represents (the
489 element type, in other words).
Georg Brandl116aa622007-08-15 14:28:22 +0000490
491
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000492 .. attribute:: text
Georg Brandl116aa622007-08-15 14:28:22 +0000493
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000494 The *text* attribute can be used to hold additional data associated with
495 the element. As the name implies this attribute is usually a string but
496 may be any application-specific object. If the element is created from
497 an XML file the attribute will contain any text found between the element
498 tags.
Georg Brandl116aa622007-08-15 14:28:22 +0000499
500
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000501 .. attribute:: tail
Georg Brandl116aa622007-08-15 14:28:22 +0000502
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000503 The *tail* attribute can be used to hold additional data associated with
504 the element. This attribute is usually a string but may be any
505 application-specific object. If the element is created from an XML file
506 the attribute will contain any text found after the element's end tag and
507 before the next tag.
Georg Brandl116aa622007-08-15 14:28:22 +0000508
Georg Brandl116aa622007-08-15 14:28:22 +0000509
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000510 .. attribute:: attrib
Georg Brandl116aa622007-08-15 14:28:22 +0000511
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000512 A dictionary containing the element's attributes. Note that while the
513 *attrib* value is always a real mutable Python dictionary, an ElementTree
514 implementation may choose to use another internal representation, and
515 create the dictionary only if someone asks for it. To take advantage of
516 such implementations, use the dictionary methods below whenever possible.
Georg Brandl116aa622007-08-15 14:28:22 +0000517
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000518 The following dictionary-like methods work on the element attributes.
Georg Brandl116aa622007-08-15 14:28:22 +0000519
520
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000521 .. method:: clear()
Georg Brandl116aa622007-08-15 14:28:22 +0000522
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000523 Resets an element. This function removes all subelements, clears all
524 attributes, and sets the text and tail attributes to None.
Georg Brandl116aa622007-08-15 14:28:22 +0000525
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000526
527 .. method:: get(key, default=None)
528
529 Gets the element attribute named *key*.
530
531 Returns the attribute value, or *default* if the attribute was not found.
532
533
534 .. method:: items()
535
536 Returns the element attributes as a sequence of (name, value) pairs. The
537 attributes are returned in an arbitrary order.
538
539
540 .. method:: keys()
541
542 Returns the elements attribute names as a list. The names are returned
543 in an arbitrary order.
544
545
546 .. method:: set(key, value)
547
548 Set the attribute *key* on the element to *value*.
549
550 The following methods work on the element's children (subelements).
551
552
553 .. method:: append(subelement)
554
Eli Bendersky396e8fc2012-03-23 14:24:20 +0200555 Adds the element *subelement* to the end of this element's internal list
556 of subelements. Raises :exc:`TypeError` if *subelement* is not an
557 :class:`Element`.
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000558
559
560 .. method:: extend(subelements)
Georg Brandl116aa622007-08-15 14:28:22 +0000561
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000562 Appends *subelements* from a sequence object with zero or more elements.
Eli Bendersky396e8fc2012-03-23 14:24:20 +0200563 Raises :exc:`TypeError` if a subelement is not an :class:`Element`.
Georg Brandl116aa622007-08-15 14:28:22 +0000564
Ezio Melottif8754a62010-03-21 07:16:43 +0000565 .. versionadded:: 3.2
Georg Brandl116aa622007-08-15 14:28:22 +0000566
Georg Brandl116aa622007-08-15 14:28:22 +0000567
Eli Bendersky737b1732012-05-29 06:02:56 +0300568 .. method:: find(match, namespaces=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000569
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000570 Finds the first subelement matching *match*. *match* may be a tag name
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200571 or a :ref:`path <elementtree-xpath>`. Returns an element instance
Eli Bendersky737b1732012-05-29 06:02:56 +0300572 or ``None``. *namespaces* is an optional mapping from namespace prefix
573 to full name.
Georg Brandl116aa622007-08-15 14:28:22 +0000574
Georg Brandl116aa622007-08-15 14:28:22 +0000575
Eli Bendersky737b1732012-05-29 06:02:56 +0300576 .. method:: findall(match, namespaces=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000577
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200578 Finds all matching subelements, by tag name or
579 :ref:`path <elementtree-xpath>`. Returns a list containing all matching
Eli Bendersky737b1732012-05-29 06:02:56 +0300580 elements in document order. *namespaces* is an optional mapping from
581 namespace prefix to full name.
Georg Brandl116aa622007-08-15 14:28:22 +0000582
Georg Brandl116aa622007-08-15 14:28:22 +0000583
Eli Bendersky737b1732012-05-29 06:02:56 +0300584 .. method:: findtext(match, default=None, namespaces=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000585
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000586 Finds text for the first subelement matching *match*. *match* may be
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200587 a tag name or a :ref:`path <elementtree-xpath>`. Returns the text content
588 of the first matching element, or *default* if no element was found.
589 Note that if the matching element has no text content an empty string
Eli Bendersky737b1732012-05-29 06:02:56 +0300590 is returned. *namespaces* is an optional mapping from namespace prefix
591 to full name.
Georg Brandl116aa622007-08-15 14:28:22 +0000592
Georg Brandl116aa622007-08-15 14:28:22 +0000593
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000594 .. method:: getchildren()
Georg Brandl116aa622007-08-15 14:28:22 +0000595
Georg Brandl67b21b72010-08-17 15:07:14 +0000596 .. deprecated:: 3.2
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000597 Use ``list(elem)`` or iteration.
Georg Brandl116aa622007-08-15 14:28:22 +0000598
Georg Brandl116aa622007-08-15 14:28:22 +0000599
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000600 .. method:: getiterator(tag=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000601
Georg Brandl67b21b72010-08-17 15:07:14 +0000602 .. deprecated:: 3.2
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000603 Use method :meth:`Element.iter` instead.
Georg Brandl116aa622007-08-15 14:28:22 +0000604
Georg Brandl116aa622007-08-15 14:28:22 +0000605
Eli Bendersky396e8fc2012-03-23 14:24:20 +0200606 .. method:: insert(index, subelement)
Georg Brandl116aa622007-08-15 14:28:22 +0000607
Eli Bendersky396e8fc2012-03-23 14:24:20 +0200608 Inserts *subelement* at the given position in this element. Raises
609 :exc:`TypeError` if *subelement* is not an :class:`Element`.
Georg Brandl116aa622007-08-15 14:28:22 +0000610
Georg Brandl116aa622007-08-15 14:28:22 +0000611
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000612 .. method:: iter(tag=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000613
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000614 Creates a tree :term:`iterator` with the current element as the root.
615 The iterator iterates over this element and all elements below it, in
616 document (depth first) order. If *tag* is not ``None`` or ``'*'``, only
617 elements whose tag equals *tag* are returned from the iterator. If the
618 tree structure is modified during iteration, the result is undefined.
Georg Brandl116aa622007-08-15 14:28:22 +0000619
Ezio Melotti138fc892011-10-10 00:02:03 +0300620 .. versionadded:: 3.2
621
Georg Brandl116aa622007-08-15 14:28:22 +0000622
Eli Bendersky737b1732012-05-29 06:02:56 +0300623 .. method:: iterfind(match, namespaces=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000624
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200625 Finds all matching subelements, by tag name or
626 :ref:`path <elementtree-xpath>`. Returns an iterable yielding all
Eli Bendersky737b1732012-05-29 06:02:56 +0300627 matching elements in document order. *namespaces* is an optional mapping
628 from namespace prefix to full name.
629
Georg Brandl116aa622007-08-15 14:28:22 +0000630
Ezio Melottif8754a62010-03-21 07:16:43 +0000631 .. versionadded:: 3.2
Georg Brandl116aa622007-08-15 14:28:22 +0000632
Georg Brandl116aa622007-08-15 14:28:22 +0000633
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000634 .. method:: itertext()
Georg Brandl116aa622007-08-15 14:28:22 +0000635
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000636 Creates a text iterator. The iterator loops over this element and all
637 subelements, in document order, and returns all inner text.
Georg Brandl116aa622007-08-15 14:28:22 +0000638
Ezio Melottif8754a62010-03-21 07:16:43 +0000639 .. versionadded:: 3.2
Georg Brandl116aa622007-08-15 14:28:22 +0000640
641
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000642 .. method:: makeelement(tag, attrib)
Georg Brandl116aa622007-08-15 14:28:22 +0000643
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000644 Creates a new element object of the same type as this element. Do not
645 call this method, use the :func:`SubElement` factory function instead.
Georg Brandl116aa622007-08-15 14:28:22 +0000646
647
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000648 .. method:: remove(subelement)
Georg Brandl116aa622007-08-15 14:28:22 +0000649
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000650 Removes *subelement* from the element. Unlike the find\* methods this
651 method compares elements based on the instance identity, not on tag value
652 or contents.
Georg Brandl116aa622007-08-15 14:28:22 +0000653
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000654 :class:`Element` objects also support the following sequence type methods
655 for working with subelements: :meth:`__delitem__`, :meth:`__getitem__`,
656 :meth:`__setitem__`, :meth:`__len__`.
Georg Brandl116aa622007-08-15 14:28:22 +0000657
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000658 Caution: Elements with no subelements will test as ``False``. This behavior
659 will change in future versions. Use specific ``len(elem)`` or ``elem is
660 None`` test instead. ::
Georg Brandl116aa622007-08-15 14:28:22 +0000661
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000662 element = root.find('foo')
Georg Brandl116aa622007-08-15 14:28:22 +0000663
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000664 if not element: # careful!
665 print("element not found, or element has no subelements")
Georg Brandl116aa622007-08-15 14:28:22 +0000666
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000667 if element is None:
668 print("element not found")
Georg Brandl116aa622007-08-15 14:28:22 +0000669
670
671.. _elementtree-elementtree-objects:
672
673ElementTree Objects
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200674^^^^^^^^^^^^^^^^^^^
Georg Brandl116aa622007-08-15 14:28:22 +0000675
676
Georg Brandl7f01a132009-09-16 15:58:14 +0000677.. class:: ElementTree(element=None, file=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000678
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000679 ElementTree wrapper class. This class represents an entire element
680 hierarchy, and adds some extra support for serialization to and from
681 standard XML.
Georg Brandl116aa622007-08-15 14:28:22 +0000682
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000683 *element* is the root element. The tree is initialized with the contents
684 of the XML *file* if given.
Georg Brandl116aa622007-08-15 14:28:22 +0000685
686
Benjamin Petersone41251e2008-04-25 01:59:09 +0000687 .. method:: _setroot(element)
Georg Brandl116aa622007-08-15 14:28:22 +0000688
Benjamin Petersone41251e2008-04-25 01:59:09 +0000689 Replaces the root element for this tree. This discards the current
690 contents of the tree, and replaces it with the given element. Use with
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000691 care. *element* is an element instance.
Georg Brandl116aa622007-08-15 14:28:22 +0000692
693
Eli Bendersky737b1732012-05-29 06:02:56 +0300694 .. method:: find(match, namespaces=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000695
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200696 Same as :meth:`Element.find`, starting at the root of the tree.
Georg Brandl116aa622007-08-15 14:28:22 +0000697
698
Eli Bendersky737b1732012-05-29 06:02:56 +0300699 .. method:: findall(match, namespaces=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000700
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200701 Same as :meth:`Element.findall`, starting at the root of the tree.
Georg Brandl116aa622007-08-15 14:28:22 +0000702
703
Eli Bendersky737b1732012-05-29 06:02:56 +0300704 .. method:: findtext(match, default=None, namespaces=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000705
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200706 Same as :meth:`Element.findtext`, starting at the root of the tree.
Georg Brandl116aa622007-08-15 14:28:22 +0000707
708
Georg Brandl7f01a132009-09-16 15:58:14 +0000709 .. method:: getiterator(tag=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000710
Georg Brandl67b21b72010-08-17 15:07:14 +0000711 .. deprecated:: 3.2
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000712 Use method :meth:`ElementTree.iter` instead.
Georg Brandl116aa622007-08-15 14:28:22 +0000713
714
Benjamin Petersone41251e2008-04-25 01:59:09 +0000715 .. method:: getroot()
Florent Xiclunac17f1722010-08-08 19:48:29 +0000716
Benjamin Petersone41251e2008-04-25 01:59:09 +0000717 Returns the root element for this tree.
Georg Brandl116aa622007-08-15 14:28:22 +0000718
719
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000720 .. method:: iter(tag=None)
721
722 Creates and returns a tree iterator for the root element. The iterator
723 loops over all elements in this tree, in section order. *tag* is the tag
724 to look for (default is to return all elements)
725
726
Eli Bendersky737b1732012-05-29 06:02:56 +0300727 .. method:: iterfind(match, namespaces=None)
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000728
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200729 Same as :meth:`Element.iterfind`, starting at the root of the tree.
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000730
Ezio Melottif8754a62010-03-21 07:16:43 +0000731 .. versionadded:: 3.2
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000732
733
Georg Brandl7f01a132009-09-16 15:58:14 +0000734 .. method:: parse(source, parser=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000735
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000736 Loads an external XML section into this element tree. *source* is a file
Antoine Pitrou11cb9612010-09-15 11:11:28 +0000737 name or :term:`file object`. *parser* is an optional parser instance.
Eli Bendersky52467b12012-06-01 07:13:08 +0300738 If not given, the standard :class:`XMLParser` parser is used. Returns the
739 section root element.
Georg Brandl116aa622007-08-15 14:28:22 +0000740
741
Eli Benderskyf96cf912012-07-15 06:19:44 +0300742 .. method:: write(file, encoding="us-ascii", xml_declaration=None, \
743 method="xml")
Georg Brandl116aa622007-08-15 14:28:22 +0000744
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000745 Writes the element tree to a file, as XML. *file* is a file name, or a
Eli Benderskyf96cf912012-07-15 06:19:44 +0300746 :term:`file object` opened for writing. *encoding* [1]_ is the output
747 encoding (default is US-ASCII).
748 *xml_declaration* controls if an XML declaration should be added to the
749 file. Use ``False`` for never, ``True`` for always, ``None``
750 for only if not US-ASCII or UTF-8 or Unicode (default is ``None``).
751 *method* is either ``"xml"``, ``"html"`` or ``"text"`` (default is
752 ``"xml"``).
753
754 The output is either a string (:class:`str`) or binary (:class:`bytes`).
755 This is controlled by the *encoding* argument. If *encoding* is
756 ``"unicode"``, the output is a string; otherwise, it's binary. Note that
757 this may conflict with the type of *file* if it's an open
758 :term:`file object`; make sure you do not try to write a string to a
759 binary stream and vice versa.
760
Georg Brandl116aa622007-08-15 14:28:22 +0000761
Christian Heimesd8654cf2007-12-02 15:22:16 +0000762This is the XML file that is going to be manipulated::
763
764 <html>
765 <head>
766 <title>Example page</title>
767 </head>
768 <body>
Georg Brandl48310cd2009-01-03 21:18:54 +0000769 <p>Moved to <a href="http://example.org/">example.org</a>
Christian Heimesd8654cf2007-12-02 15:22:16 +0000770 or <a href="http://example.com/">example.com</a>.</p>
771 </body>
772 </html>
773
774Example of changing the attribute "target" of every link in first paragraph::
775
776 >>> from xml.etree.ElementTree import ElementTree
777 >>> tree = ElementTree()
778 >>> tree.parse("index.xhtml")
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000779 <Element 'html' at 0xb77e6fac>
Christian Heimesd8654cf2007-12-02 15:22:16 +0000780 >>> p = tree.find("body/p") # Finds first occurrence of tag p in body
781 >>> p
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000782 <Element 'p' at 0xb77ec26c>
783 >>> links = list(p.iter("a")) # Returns list of all links
Christian Heimesd8654cf2007-12-02 15:22:16 +0000784 >>> links
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000785 [<Element 'a' at 0xb77ec2ac>, <Element 'a' at 0xb77ec1cc>]
Christian Heimesd8654cf2007-12-02 15:22:16 +0000786 >>> for i in links: # Iterates through all found links
787 ... i.attrib["target"] = "blank"
788 >>> tree.write("output.xhtml")
Georg Brandl116aa622007-08-15 14:28:22 +0000789
790.. _elementtree-qname-objects:
791
792QName Objects
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200793^^^^^^^^^^^^^
Georg Brandl116aa622007-08-15 14:28:22 +0000794
795
Georg Brandl7f01a132009-09-16 15:58:14 +0000796.. class:: QName(text_or_uri, tag=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000797
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000798 QName wrapper. This can be used to wrap a QName attribute value, in order
799 to get proper namespace handling on output. *text_or_uri* is a string
800 containing the QName value, in the form {uri}local, or, if the tag argument
801 is given, the URI part of a QName. If *tag* is given, the first argument is
802 interpreted as an URI, and this argument is interpreted as a local name.
803 :class:`QName` instances are opaque.
Georg Brandl116aa622007-08-15 14:28:22 +0000804
805
806.. _elementtree-treebuilder-objects:
807
808TreeBuilder Objects
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200809^^^^^^^^^^^^^^^^^^^
Georg Brandl116aa622007-08-15 14:28:22 +0000810
811
Georg Brandl7f01a132009-09-16 15:58:14 +0000812.. class:: TreeBuilder(element_factory=None)
Georg Brandl116aa622007-08-15 14:28:22 +0000813
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000814 Generic element structure builder. This builder converts a sequence of
815 start, data, and end method calls to a well-formed element structure. You
816 can use this class to build an element structure using a custom XML parser,
Eli Bendersky48d358b2012-05-30 17:57:50 +0300817 or a parser for some other XML-like format. *element_factory*, when given,
818 must be a callable accepting two positional arguments: a tag and
819 a dict of attributes. It is expected to return a new element instance.
Georg Brandl116aa622007-08-15 14:28:22 +0000820
Benjamin Petersone41251e2008-04-25 01:59:09 +0000821 .. method:: close()
Georg Brandl116aa622007-08-15 14:28:22 +0000822
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000823 Flushes the builder buffers, and returns the toplevel document
824 element. Returns an :class:`Element` instance.
Georg Brandl116aa622007-08-15 14:28:22 +0000825
826
Benjamin Petersone41251e2008-04-25 01:59:09 +0000827 .. method:: data(data)
Georg Brandl116aa622007-08-15 14:28:22 +0000828
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000829 Adds text to the current element. *data* is a string. This should be
830 either a bytestring, or a Unicode string.
Georg Brandl116aa622007-08-15 14:28:22 +0000831
832
Benjamin Petersone41251e2008-04-25 01:59:09 +0000833 .. method:: end(tag)
Georg Brandl116aa622007-08-15 14:28:22 +0000834
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000835 Closes the current element. *tag* is the element name. Returns the
836 closed element.
Georg Brandl116aa622007-08-15 14:28:22 +0000837
838
Benjamin Petersone41251e2008-04-25 01:59:09 +0000839 .. method:: start(tag, attrs)
Georg Brandl116aa622007-08-15 14:28:22 +0000840
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000841 Opens a new element. *tag* is the element name. *attrs* is a dictionary
842 containing element attributes. Returns the opened element.
Georg Brandl116aa622007-08-15 14:28:22 +0000843
844
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000845 In addition, a custom :class:`TreeBuilder` object can provide the
846 following method:
Georg Brandl116aa622007-08-15 14:28:22 +0000847
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000848 .. method:: doctype(name, pubid, system)
849
850 Handles a doctype declaration. *name* is the doctype name. *pubid* is
851 the public identifier. *system* is the system identifier. This method
852 does not exist on the default :class:`TreeBuilder` class.
853
Ezio Melottif8754a62010-03-21 07:16:43 +0000854 .. versionadded:: 3.2
Georg Brandl116aa622007-08-15 14:28:22 +0000855
856
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000857.. _elementtree-xmlparser-objects:
Georg Brandl116aa622007-08-15 14:28:22 +0000858
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000859XMLParser Objects
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200860^^^^^^^^^^^^^^^^^
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000861
862
863.. class:: XMLParser(html=0, target=None, encoding=None)
864
865 :class:`Element` structure builder for XML source data, based on the expat
866 parser. *html* are predefined HTML entities. This flag is not supported by
867 the current implementation. *target* is the target object. If omitted, the
Eli Bendersky1bf23942012-06-01 07:15:00 +0300868 builder uses an instance of the standard :class:`TreeBuilder` class.
Eli Bendersky52467b12012-06-01 07:13:08 +0300869 *encoding* [1]_ is optional. If given, the value overrides the encoding
870 specified in the XML file.
Georg Brandl116aa622007-08-15 14:28:22 +0000871
872
Benjamin Petersone41251e2008-04-25 01:59:09 +0000873 .. method:: close()
Georg Brandl116aa622007-08-15 14:28:22 +0000874
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000875 Finishes feeding data to the parser. Returns an element structure.
Georg Brandl116aa622007-08-15 14:28:22 +0000876
877
Benjamin Petersone41251e2008-04-25 01:59:09 +0000878 .. method:: doctype(name, pubid, system)
Georg Brandl116aa622007-08-15 14:28:22 +0000879
Georg Brandl67b21b72010-08-17 15:07:14 +0000880 .. deprecated:: 3.2
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000881 Define the :meth:`TreeBuilder.doctype` method on a custom TreeBuilder
882 target.
Georg Brandl116aa622007-08-15 14:28:22 +0000883
884
Benjamin Petersone41251e2008-04-25 01:59:09 +0000885 .. method:: feed(data)
Georg Brandl116aa622007-08-15 14:28:22 +0000886
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000887 Feeds data to the parser. *data* is encoded data.
Georg Brandl116aa622007-08-15 14:28:22 +0000888
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000889:meth:`XMLParser.feed` calls *target*\'s :meth:`start` method
Christian Heimesd8654cf2007-12-02 15:22:16 +0000890for each opening tag, its :meth:`end` method for each closing tag,
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000891and data is processed by method :meth:`data`. :meth:`XMLParser.close`
Georg Brandl48310cd2009-01-03 21:18:54 +0000892calls *target*\'s method :meth:`close`.
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000893:class:`XMLParser` can be used not only for building a tree structure.
Christian Heimesd8654cf2007-12-02 15:22:16 +0000894This is an example of counting the maximum depth of an XML file::
895
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000896 >>> from xml.etree.ElementTree import XMLParser
Christian Heimesd8654cf2007-12-02 15:22:16 +0000897 >>> class MaxDepth: # The target object of the parser
898 ... maxDepth = 0
899 ... depth = 0
900 ... def start(self, tag, attrib): # Called for each opening tag.
Georg Brandl48310cd2009-01-03 21:18:54 +0000901 ... self.depth += 1
Christian Heimesd8654cf2007-12-02 15:22:16 +0000902 ... if self.depth > self.maxDepth:
903 ... self.maxDepth = self.depth
904 ... def end(self, tag): # Called for each closing tag.
905 ... self.depth -= 1
Georg Brandl48310cd2009-01-03 21:18:54 +0000906 ... def data(self, data):
Christian Heimesd8654cf2007-12-02 15:22:16 +0000907 ... pass # We do not need to do anything with data.
908 ... def close(self): # Called when all data has been parsed.
909 ... return self.maxDepth
Georg Brandl48310cd2009-01-03 21:18:54 +0000910 ...
Christian Heimesd8654cf2007-12-02 15:22:16 +0000911 >>> target = MaxDepth()
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000912 >>> parser = XMLParser(target=target)
Christian Heimesd8654cf2007-12-02 15:22:16 +0000913 >>> exampleXml = """
914 ... <a>
915 ... <b>
916 ... </b>
917 ... <b>
918 ... <c>
919 ... <d>
920 ... </d>
921 ... </c>
922 ... </b>
923 ... </a>"""
924 >>> parser.feed(exampleXml)
925 >>> parser.close()
926 4
Christian Heimesb186d002008-03-18 15:15:01 +0000927
Eli Bendersky5b77d812012-03-16 08:20:05 +0200928Exceptions
Eli Bendersky3a4875e2012-03-26 20:43:32 +0200929^^^^^^^^^^
Eli Bendersky5b77d812012-03-16 08:20:05 +0200930
931.. class:: ParseError
932
933 XML parse error, raised by the various parsing methods in this module when
934 parsing fails. The string representation of an instance of this exception
935 will contain a user-friendly error message. In addition, it will have
936 the following attributes available:
937
938 .. attribute:: code
939
940 A numeric error code from the expat parser. See the documentation of
941 :mod:`xml.parsers.expat` for the list of error codes and their meanings.
942
943 .. attribute:: position
944
945 A tuple of *line*, *column* numbers, specifying where the error occurred.
Christian Heimesb186d002008-03-18 15:15:01 +0000946
947.. rubric:: Footnotes
948
949.. [#] The encoding string included in XML output should conform to the
Florent Xiclunaf15351d2010-03-13 23:24:31 +0000950 appropriate standards. For example, "UTF-8" is valid, but "UTF8" is
951 not. See http://www.w3.org/TR/2006/REC-xml11-20060816/#NT-EncodingDecl
Benjamin Petersonad3d5c22009-02-26 03:38:59 +0000952 and http://www.iana.org/assignments/character-sets.