1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278
|
.. _from-ground-up:
==================
From the ground up
==================
Learn why and how web-poet came to be as you transform a simple, rigid starting
web scraping code snippet into maintainable, reusable web-poet code.
Writing reusable parsing code
=============================
Imagine you are writing code to scrape a book web page from
`books.toscrape.com <http://books.toscrape.com/>`_, and you implement a
``scrape`` function like this:
.. code-block:: python
import requests
from parsel import Selector
def scrape(url: str) -> dict:
response = requests.get(url)
selector = Selector(response.text)
return {
"url": response.url,
"title": selector.css("h1").get(),
}
item = scrape(
"http://books.toscrape.com/catalogue/a-light-in-the-attic_1000/index.html"
)
This ``scrape`` function is simple, but it has a big issue: it only supports
downloading the specified URL using the requests_ library. What if you want to
use aiohttp_, for concurrency support? What if you want to run ``scrape`` with
a local snapshot of a URL response, to write an automated test for ``scrape``
that does not rely on a network connection?
.. _aiohttp: https://github.com/aio-libs/aiohttp
.. _requests: https://requests.readthedocs.io/en/latest/
The first step towards addressing this issue is to split your ``scrape``
function into 2 separate functions, ``download`` and ``parse``:
.. code-block:: python
import requests
from parsel import Selector
def parse(response: requests.Response) -> dict:
selector = Selector(response.text)
return {
"url": response.url,
"title": selector.css("h1").get(),
}
def download(url: str) -> requests.Response:
return requests.get(url)
url = "http://books.toscrape.com/catalogue/a-light-in-the-attic_1000/index.html"
response = download(url)
item = parse(response)
Now that ``download`` and ``parse`` are separate functions, you can replace
``download`` with an alternative implementation that uses aiohttp_, or that
reads from local files.
There is still an issue, though: ``parse`` expects an instance of
`requests.Response`_. Any alternative implementation of ``download`` would need
to create a response object of the same type, forcing a dependency on
requests_ even if downloads are handled with a different library.
.. _requests.Response: https://requests.readthedocs.io/en/latest/api/#requests.Response
So you need to change the input of the ``parse`` function into something that
will not tie you to a specific download library. One option is to create your
own, download-independent ``Response`` class, to store the response data that
any download function should be able to provide:
.. code-block:: python
import requests
from dataclasses import dataclass
from parsel import Selector
@dataclass
class Response:
url: str
text: str
def parse(response: Response) -> dict:
selector = Selector(response.text)
return {
"url": response.url,
"title": selector.css("h1").get(),
}
def download(url: str) -> Response:
response = requests.get(url)
return Response(url=response.url, text=response.text)
url = "http://books.toscrape.com/catalogue/a-light-in-the-attic_1000/index.html"
response = download(url)
item = parse(response)
The ``parse`` function is no longer tied to any specific download library, and
alternative versions of the ``download`` function can be implemented with other
libraries.
Parsing with web-poet
=====================
web-poet asks you to organize your code in a very similar way. Let’s convert
the ``parse`` function into a :ref:`web-poet page object class
<page-object-classes>`:
.. code-block:: python
import requests
from web_poet import Injectable, HttpResponse
class BookPage(Injectable):
def __init__(self, response: HttpResponse):
self.response = response
def to_item(self) -> dict:
return {
"url": self.response.url,
"title": self.response.css("h1").get(),
}
def download(url: str) -> Response:
response = requests.get(url)
return HttpResponse(
url=response.url,
body=response.content,
headers=response.headers,
)
url = "http://books.toscrape.com/catalogue/a-light-in-the-attic_1000/index.html"
response = download(url)
book_page = BookPage(response=response)
item = book_page.to_item()
Differences from a previous example:
- web-poet provides a standard :class:`~.HttpResponse` class, with helper
methods like :meth:`~.HttpResponse.css`.
Note how headers are passed when creating an :class:`~.HttpResponse`
instance. This is needed to properly decode the body (which is ``bytes``)
as text using web browser rules. It involves checking the
``Content-Encoding`` header, HTML meta tags, BOM markers in the body, etc.
- Instead of the ``parse`` function we've got a ``BookPage`` class, which
inherits from the :class:`~.Injectable` base class, receives response data
in its ``__init__`` method, and returns the extracted item in the
``to_item()`` method. ``to_item`` is a standard method name used by
``web-poet``.
Receiving a ``response`` argument in ``__init__`` is very common for page
objects, so ``web-poet`` provides a shortcut for it: inherit from
:class:`~.WebPage`, which provides this ``__init__`` method implementation. You
can then refactor your ``BookPage`` class as follows:
.. code-block:: python
from web_poet import WebPage
class BookPage(WebPage):
def to_item(self) -> dict:
return {
"url": self.response.url,
"title": self.response.css("h1").get(),
}
:class:`~.WebPage` even provides shortcuts for some response attributes and
methods:
.. code-block:: python
from web_poet import WebPage
class BookPage(WebPage):
def to_item(self) -> dict:
return {
"url": self.url,
"title": self.css("h1").get(),
}
At this point you may be wondering why web-poet requires you to write a class
with a ``to_item`` method rather than a function. The answer is flexibility.
For example, the use of a class instead of a function makes :ref:`fields
<fields>` possible, which make parsing code easier to read:
.. code-block:: python
from web_poet import WebPage, field
class BookPage(WebPage):
@field
def url(self):
return self.url
@field
def title(self):
return self.css("h1").get()
Using fields also makes it unnecessary to define ``to_item()`` manually, and
allows reading individual fields when you don't need the complete ``to_item()``
output.
.. note::
The ``BookPage.to_item()`` method is ``async`` in the example above. See
:ref:`fields` for more information.
Using classes also makes it easy, for example, to implement dependency
injection, which is how web-poet builds :ref:`inputs <inputs>`.
Downloading with web-poet
=========================
What about the implementation of the ``download`` function? How would you
implement that in web-poet? Well, ideally, you wouldn’t.
To parse data from a web page using web-poet, you would only need to write the
parsing part, e.g. the ``BookPage`` :ref:`page object class
<page-object-classes>` above.
Then, you let a :ref:`web-poet framework <frameworks>` handle the download part
for you. You pass that framework the URL of a web page to parse, and either a
page object class (the ``BookPage`` class here) or an :ref:`item class
<items>`, and that's it:
.. code-block:: python
item = some_framework.get(url, BookPage)
web-poet does *not* provide any framework, beyond :ref:`an example one featured
in the tutorial <tutorial-create-page-object>` and not intended for production.
The role of web-poet is to define a specification on how to write parsing logic
so that it can be reused with different frameworks.
:ref:`Page object classes <page-object-classes>` should be flexible enough to
be used with very different frameworks, including:
- synchronous or asynchronous frameworks
- asynchronous frameworks based on callbacks or based on coroutines_
(``async def / await`` syntax)
.. _coroutines: https://docs.python.org/3/library/asyncio-task.html
- single-node and distributed systems
- different underlying HTTP implementations, or even implementations with no
HTTP support at all
|