Item Exporters
Once you have scraped your items, you often want to persist or export thoseitems, to use the data in some other application. That is, after all, the wholepurpose of the scraping process.
For this purpose Scrapy provides a collection of Item Exporters for differentoutput formats, such as XML, CSV or JSON.
Using Item Exporters
If you are in a hurry, and just want to use an Item Exporter to output scrapeddata see the Feed exports. Otherwise, if you want to know howItem Exporters work or need more custom functionality (not covered by thedefault exports), continue reading below.
In order to use an Item Exporter, you must instantiate it with its requiredargs. Each Item Exporter requires different arguments, so check each exporterdocumentation to be sure, in Built-in Item Exporters reference. After you haveinstantiated your exporter, you have to:
call the method
start_exporting()
in order tosignal the beginning of the exporting processcall the
export_item()
method for each item you wantto exportand finally call the
finish_exporting()
to signalthe end of the exporting process
Here you can see an Item Pipeline which uses multipleItem Exporters to group scraped items to different files according to thevalue of one of their fields:
- from scrapy.exporters import XmlItemExporter
- class PerYearXmlExportPipeline(object):
- """Distribute items across multiple XML files according to their 'year' field"""
- def open_spider(self, spider):
- self.year_to_exporter = {}
- def close_spider(self, spider):
- for exporter in self.year_to_exporter.values():
- exporter.finish_exporting()
- def _exporter_for_item(self, item):
- year = item['year']
- if year not in self.year_to_exporter:
- f = open('{}.xml'.format(year), 'wb')
- exporter = XmlItemExporter(f)
- exporter.start_exporting()
- self.year_to_exporter[year] = exporter
- return self.year_to_exporter[year]
- def process_item(self, item, spider):
- exporter = self._exporter_for_item(item)
- exporter.export_item(item)
- return item
Serialization of item fields
By default, the field values are passed unmodified to the underlyingserialization library, and the decision of how to serialize them is delegatedto each particular serialization library.
However, you can customize how each field value is serialized before it ispassed to the serialization library.
There are two ways to customize how a field will be serialized, which aredescribed next.
1. Declaring a serializer in the field
If you use Item
you can declare a serializer in thefield metadata. The serializer must bea callable which receives a value and returns its serialized form.
Example:
- import scrapy
- def serialize_price(value):
- return '$ %s' % str(value)
- class Product(scrapy.Item):
- name = scrapy.Field()
- price = scrapy.Field(serializer=serialize_price)
2. Overriding the serialize_field() method
You can also override the serialize_field()
method tocustomize how your field value will be exported.
Make sure you call the base class serialize_field()
methodafter your custom code.
Example:
- from scrapy.exporter import XmlItemExporter
- class ProductXmlExporter(XmlItemExporter):
- def serialize_field(self, field, name, value):
- if field == 'price':
- return '$ %s' % str(value)
- return super(Product, self).serialize_field(field, name, value)
Built-in Item Exporters reference
Here is a list of the Item Exporters bundled with Scrapy. Some of them containoutput examples, which assume you’re exporting these two items:
- Item(name='Color TV', price='1200')
- Item(name='DVD player', price='200')
BaseItemExporter
- class
scrapy.exporters.
BaseItemExporter
(fields_to_export=None, export_empty_fields=False, encoding='utf-8', indent=0, dont_fail=False)[source] - This is the (abstract) base class for all Item Exporters. It providessupport for common features used by all (concrete) Item Exporters, such asdefining what fields to export, whether to export empty fields, or whichencoding to use.
These features can be configured through the init
method arguments whichpopulate their respective instance attributes: fields_to_export
,export_empty_fields
, encoding
, indent
.
New in version 2.0: The dont_fail parameter.
exportitem
(_item)[source]Exports the given item. This method must be implemented in subclasses.
serializefield
(_field, name, value)[source]- Return the serialized value for the given field. You can override thismethod (in your custom Item Exporters) if you want to control how aparticular field or value will be serialized/exported.
By default, this method looks for a serializer declared in the itemfield and returns the result of applyingthat serializer to the value. If no serializer is found, it returns thevalue unchanged except for unicode
values which are encoded tostr
using the encoding declared in the encoding
attribute.
Parameters:
- **field** ([<code>Field</code>]($03ea72809515384c.md#scrapy.item.Field) object or an empty dict) – the field being serialized. If a raw dict is beingexported (not [<code>Item</code>]($03ea72809515384c.md#scrapy.item.Item)) _field_ value is an empty dict.
- **name** ([_str_](https://docs.python.org/3/library/stdtypes.html#str)) – the name of the field being serialized
- **value** – the value being serialized
start_exporting
()[source]Signal the beginning of the exporting process. Some exporters may usethis to generate some required header (for example, the
XmlItemExporter
). You must call this method before exporting anyitems.finish_exporting
()[source]Signal the end of the exporting process. Some exporters may use this togenerate some required footer (for example, the
XmlItemExporter
). You must always call this method after youhave no more items to export.- A list with the name of the fields that will be exported, or None if youwant to export all fields. Defaults to None.
Some exporters (like CsvItemExporter
) respect the order of thefields defined in this attribute.
Some exporters may require fields_to_export list in order to export thedata properly when spiders return dicts (not Item
instances).
export_empty_fields
- Whether to include empty/unpopulated item fields in the exported data.Defaults to
False
. Some exporters (likeCsvItemExporter
)ignore this attribute and always export all empty fields.
This option is ignored for dict items.
encoding
The encoding that will be used to encode unicode values. This onlyaffects unicode values (which are always serialized to str using thisencoding). Other value types are passed unchanged to the specificserialization library.
Amount of spaces used to indent the output on each level. Defaults to
0
.indent=None
selects the most compact representation,all items in the same line with no indentationindent<=0
each item on its own line, no indentationindent>0
each item on its own line, indented with the provided numeric value
PythonItemExporter
- class
scrapy.exporters.
PythonItemExporter
(*, dont_fail=False, **kwargs)[source] - This is a base class for item exporters that extends
BaseItemExporter
with support for nested items.
It serializes items to built-in Python types, so that any serializationlibrary (e.g. json
or msgpack) can be used on top of it.
XmlItemExporter
- class
scrapy.exporters.
XmlItemExporter
(file, item_element='item', root_element='items', **kwargs)[source] - Exports Items in XML format to the specified file object.
Parameters:
- file – the file-like object to use for exporting the data. Its
write
method shouldacceptbytes
(a disk file opened in binary mode, aio.BytesIO
object, etc) - root_element (str) – The name of root element in the exported XML.
- item_element (str) – The name of each item element in the exported XML.
The additional keyword arguments of this init
method are passed to theBaseItemExporter
init
method.
A typical output of this exporter would be:
- <?xml version="1.0" encoding="utf-8"?>
- <items>
- <item>
- <name>Color TV</name>
- <price>1200</price>
- </item>
- <item>
- <name>DVD player</name>
- <price>200</price>
- </item>
- </items>
Unless overridden in the serialize_field()
method, multi-valued fields areexported by serializing each value inside a <value>
element. This is forconvenience, as multi-valued fields are very common.
For example, the item:
- Item(name=['John', 'Doe'], age='23')
Would be serialized as:
- <?xml version="1.0" encoding="utf-8"?>
- <items>
- <item>
- <name>
- <value>John</value>
- <value>Doe</value>
- </name>
- <age>23</age>
- </item>
- </items>
CsvItemExporter
- class
scrapy.exporters.
CsvItemExporter
(file, include_headers_line=True, join_multivalued=', ', **kwargs)[source] - Exports Items in CSV format to the given file-like object. If the
fields_to_export
attribute is set, it will be used to define theCSV columns and their order. Theexport_empty_fields
attribute hasno effect on this exporter.
Parameters:
- file – the file-like object to use for exporting the data. Its
write
method shouldacceptbytes
(a disk file opened in binary mode, aio.BytesIO
object, etc) - include_headers_line (str) – If enabled, makes the exporter output a headerline with the field names taken from
BaseItemExporter.fields_to_export
or the first exported item fields. - join_multivalued – The char (or chars) that will be used for joiningmulti-valued fields, if found.
The additional keyword arguments of this init
method are passed to theBaseItemExporter
init
method, and the leftover arguments to thecsv.writer init
method, so you can use any csv.writer
init
methodargument to customize this exporter.
A typical output of this exporter would be:
- product,price
- Color TV,1200
- DVD player,200
PickleItemExporter
- class
scrapy.exporters.
PickleItemExporter
(file, protocol=0, **kwargs)[source] - Exports Items in pickle format to the given file-like object.
Parameters:
- file – the file-like object to use for exporting the data. Its
write
method shouldacceptbytes
(a disk file opened in binary mode, aio.BytesIO
object, etc) - protocol (int) – The pickle protocol to use.
For more information, refer to the pickle module documentation.
The additional keyword arguments of this init
method are passed to theBaseItemExporter
init
method.
Pickle isn’t a human readable format, so no output examples are provided.
PprintItemExporter
- class
scrapy.exporters.
PprintItemExporter
(file, **kwargs)[source] - Exports Items in pretty print format to the specified file object.
Parameters:file – the file-like object to use for exporting the data. Its write
method shouldaccept bytes
(a disk file opened in binary mode, a io.BytesIO
object, etc)
The additional keyword arguments of this init
method are passed to theBaseItemExporter
init
method.
A typical output of this exporter would be:
- {'name': 'Color TV', 'price': '1200'}
- {'name': 'DVD player', 'price': '200'}
Longer lines (when present) are pretty-formatted.
JsonItemExporter
- class
scrapy.exporters.
JsonItemExporter
(file, **kwargs)[source] - Exports Items in JSON format to the specified file-like object, writing allobjects as a list of objects. The additional
init
method arguments arepassed to theBaseItemExporter
init
method, and the leftoverarguments to the JSONEncoderinit
method, so you can use anyJSONEncoderinit
method argument to customize this exporter.
Parameters:file – the file-like object to use for exporting the data. Its write
method shouldaccept bytes
(a disk file opened in binary mode, a io.BytesIO
object, etc)
A typical output of this exporter would be:
- [{"name": "Color TV", "price": "1200"},
- {"name": "DVD player", "price": "200"}]
Warning
JSON is very simple and flexible serialization format, but itdoesn’t scale well for large amounts of data since incremental (aka.stream-mode) parsing is not well supported (if at all) among JSON parsers(on any language), and most of them just parse the entire object inmemory. If you want the power and simplicity of JSON with a morestream-friendly format, consider using JsonLinesItemExporter
instead, or splitting the output in multiple chunks.
JsonLinesItemExporter
- class
scrapy.exporters.
JsonLinesItemExporter
(file, **kwargs)[source] - Exports Items in JSON format to the specified file-like object, writing oneJSON-encoded item per line. The additional
init
method arguments are passedto theBaseItemExporter
init
method, and the leftover arguments tothe JSONEncoderinit
method, so you can use any JSONEncoderinit
method argument to customize this exporter.
Parameters:file – the file-like object to use for exporting the data. Its write
method shouldaccept bytes
(a disk file opened in binary mode, a io.BytesIO
object, etc)
A typical output of this exporter would be:
- {"name": "Color TV", "price": "1200"}
- {"name": "DVD player", "price": "200"}
Unlike the one produced by JsonItemExporter
, the format produced bythis exporter is well suited for serializing large amounts of data.
MarshalItemExporter
- class
scrapy.exporters.
MarshalItemExporter
(file, **kwargs)[source] - Exports items in a Python-specific binary format (see
marshal
).
Parameters:file – The file-like object to use for exporting the data. Itswrite
method should accept bytes
(a disk fileopened in binary mode, a BytesIO
object, etc)