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 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436
|
import importlib
import importlib.util
import pkgutil
import warnings
from collections import defaultdict, deque
from collections.abc import Generator, Iterable, Mapping
from operator import attrgetter
from typing import Any, TypeAlias
import attrs
from url_matcher import Patterns, URLMatcher
from web_poet.page_inputs.url import _Url
from web_poet.pages import ItemPage, get_item_cls
from web_poet.utils import as_list, str_to_pattern
Strings: TypeAlias = str | Iterable[str]
@attrs.define(frozen=True)
class ApplyRule:
"""A rule that primarily applies Page Object and Item overrides for a given
URL pattern.
This is instantiated when using the :func:`web_poet.handle_urls` decorator.
It's also being returned as a ``List[ApplyRule]`` when calling the
``web_poet.default_registry``'s :meth:`~.RulesRegistry.get_rules`
method.
You can access any of its attributes:
* ``for_patterns`` - contains the list of URL patterns associated with
this rule. You can read the API documentation of the `url-matcher
<https://url-matcher.readthedocs.io/>`_ package for more information
about the patterns.
* ``use`` - The Page Object that will be **used** in cases where the URL
pattern represented by the ``for_patterns`` attribute is matched.
* ``instead_of`` - *(optional)* The Page Object that will be **replaced**
with the Page Object specified via the ``use`` parameter.
* ``to_return`` - *(optional)* The item class that the Page Object specified
in ``use`` is capable of returning.
* ``meta`` - *(optional)* Any other information you may want to store.
This doesn't do anything for now but may be useful for future API updates.
The main functionality of this class lies in the ``instead_of`` and ``to_return``
parameters. Should both of these be omitted, then :class:`~.ApplyRule` simply
tags which URL patterns the given Page Object defined in ``use`` is expected
to be used on.
When ``to_return`` is not None (e.g. ``to_return=MyItem``),
the Page Object in ``use`` is declared as capable of returning a certain
item class (i.e. ``MyItem``).
When ``instead_of`` is not None (e.g. ``instead_of=ReplacedPageObject``),
the rule adds an expectation that the ``ReplacedPageObject`` wouldn't
be used for the URLs matching ``for_patterns``, since the Page Object
in ``use`` will replace it.
If there are multiple rules which match a certain URL, the rule
to apply is picked based on the priorities set in ``for_patterns``.
More information regarding its usage in :ref:`rules`.
.. tip::
The :class:`~.ApplyRule` is also hashable. This makes it easy to store
unique rules and identify any duplicates.
"""
for_patterns: Patterns = attrs.field(converter=str_to_pattern)
use: type[ItemPage] = attrs.field(kw_only=True)
instead_of: type[ItemPage] | None = attrs.field(default=None, kw_only=True)
to_return: type[Any] | None = attrs.field(default=None, kw_only=True)
meta: dict[str, Any] = attrs.field(factory=dict, kw_only=True)
def __hash__(self):
return hash((self.for_patterns, self.use, self.instead_of, self.to_return))
class RulesRegistry:
"""
RulesRegistry provides features for storing, retrieving,
and searching for the :class:`~.ApplyRule` instances.
``web-poet`` provides a default Registry named ``default_registry``
for convenience. It can be accessed this way:
.. code-block:: python
from web_poet import handle_urls, default_registry, WebPage
from my_items import Product
@handle_urls("example.com")
class ExampleComProductPage(WebPage[Product]): ...
rules = default_registry.get_rules()
The ``@handle_urls`` decorator exposed as ``web_poet.handle_urls`` is a
shortcut for ``default_registry.handle_urls``.
.. note::
It is encouraged to use the ``web_poet.default_registry`` instead of
creating your own :class:`~.RulesRegistry` instance. Using multiple
registries would be unwieldy in most cases.
However, it might be applicable in certain scenarios like storing custom
rules to separate it from the ``default_registry``.
"""
def __init__(self, *, rules: Iterable[ApplyRule] | None = None):
self._rules: dict[int, ApplyRule] = {}
self._overrides_matchers: defaultdict[type[ItemPage] | None, URLMatcher] = (
defaultdict(URLMatcher)
)
self._item_matchers: defaultdict[type | None, URLMatcher] = defaultdict(
URLMatcher
)
# Ensures that URLMatcher is deterministic in returning a rule when
# matching. As of url_macher==0.2.0, `url_matcher.URLMatcher._sort_domain`
# has this sorting criteria:
# * Priority (descending)
# * Sorted list of includes for this domain (descending)
# * Rule identifier (descending)
# This means that if the priority and domain are the same, the last tie
# breaker would be the "Rule identifier", this means we can base it on
# the order of rule addition to the registry, i.e. a counter.
self._rule_counter = 0
if rules is not None:
for rule in rules:
self.add_rule(rule)
def add_rule(self, rule: ApplyRule) -> None:
"""Registers an :class:`web_poet.rules.ApplyRule` instance."""
matched = self._item_matchers.get(rule.to_return)
if matched:
# A common case when a page object subclasses another one with the
# same URL pattern.
pattern_dupes = {
pattern
for pattern in matched.patterns.values()
if pattern == rule.for_patterns
}
if pattern_dupes:
rules_to_warn = [
r
for p in pattern_dupes
for r in self.search(for_patterns=p, to_return=rule.to_return)
] + [rule]
warnings.warn(
f"The registry contains {len(rules_to_warn)} conflicting "
f"rules with to_return={rule.to_return} "
f"and the same URL pattern:\n\n"
f"{self._format_list(pattern_dupes)} "
f"\n\n"
f"The first rule added to the registry is used when the URL patterns are the same and "
f"the priorities are equal; other rules are ignored. "
f"This is error-prone. Consider setting the priority explicitly "
f"for these rules:\n\n"
f"{self._format_list(rules_to_warn)}",
stacklevel=3, # optimized for the common case of @handle_urls
)
self._rule_counter += 1
rule_id = self._rule_counter
self._overrides_matchers[rule.instead_of].add_or_update(
rule_id, rule.for_patterns
)
self._item_matchers[rule.to_return].add_or_update(rule_id, rule.for_patterns)
self._rules[rule_id] = rule
@classmethod
def _format_list(cls, objects: Iterable[object]) -> str:
return "\n".join(repr(rule) for rule in objects)
def handle_urls(
self,
include: Strings,
*,
instead_of: type[ItemPage] | None = None,
to_return: type | None = None,
exclude: Strings | None = None,
priority: int = 500,
**kwargs,
):
"""
Class decorator that indicates that the decorated Page Object should work
for the given URL patterns.
The URL patterns are matched using the ``include`` and ``exclude``
parameters while ``priority`` breaks any ties. See the documentation
of the `url-matcher <https://url-matcher.readthedocs.io/>`_ package for
more information about them.
This decorator is able to derive the item class returned by the Page
Object. This is important since it marks what type of item the Page
Object is capable of returning for the given URL patterns. For certain
advanced cases, you can pass a ``to_return`` parameter which replaces
any derived values (though this isn't generally recommended).
Passing another Page Object into the ``instead_of`` parameter indicates
that the decorated Page Object will be used instead of that for the given
set of URL patterns. See :ref:`rule-precedence`.
Any extra parameters are stored as meta information that can be later used.
:param include: The URLs that should be handled by the decorated Page Object.
:param instead_of: The Page Object that should be `replaced`.
:param to_return: The item class holding the data returned by the Page Object.
This could be omitted as it could be derived from the ``Returns[ItemClass]``
or ``ItemPage[ItemClass]`` declaration of the Page Object. See
:ref:`item-classes` section.
:param exclude: The URLs for which the Page Object should **not** be applied.
:param priority: The resolution priority in case of `conflicting` rules.
A conflict happens when the ``include``, ``override``, and ``exclude``
parameters are the same. If so, the `highest priority` will be
chosen.
"""
def wrapper(cls):
rule = ApplyRule(
for_patterns=Patterns(
include=as_list(include),
exclude=as_list(exclude),
priority=priority,
),
use=cls,
instead_of=instead_of,
to_return=to_return or get_item_cls(cls),
meta=kwargs,
)
self.add_rule(rule)
return cls
return wrapper
def get_rules(self) -> list[ApplyRule]:
"""Return all the :class:`~.ApplyRule` that were declared using
the ``@handle_urls`` decorator.
.. note::
Remember to consider calling :func:`~.web_poet.rules.consume_modules`
beforehand to recursively import all submodules which contains the
``@handle_urls`` decorators from external Page Objects.
"""
return list(self._rules.values())
def search(self, **kwargs: Any) -> list[ApplyRule]:
"""Return any :class:`ApplyRule` from the registry that matches with all
the provided attributes.
Sample usage:
.. code-block:: python
rules = registry.search(use=ProductPO, instead_of=GenericPO)
print(len(rules)) # 1
print(rules[0].use) # ProductPO
print(rules[0].instead_of) # GenericPO
"""
# Use a dict instead of set() to preserve the order.
rule_ids = {}
if "to_return" in kwargs:
matcher = self._item_matchers.get(kwargs["to_return"])
if matcher:
rule_ids.update(matcher.patterns)
if "instead_of" in kwargs:
matcher = self._overrides_matchers.get(kwargs["instead_of"])
if matcher:
if rule_ids:
# If both params are used then narrow down the rules.
rule_ids = {
k: v for k, v in matcher.patterns.items() if k in rule_ids
}
else:
rule_ids.update(matcher.patterns)
rules = [self._rules[id_] for id_ in rule_ids]
if rules and kwargs.keys() <= {"to_return", "instead_of"}:
return rules
# Search other parameters as well
getter = attrgetter(*kwargs.keys())
def finder(rule: ApplyRule):
attribs = getter(rule)
if not isinstance(attribs, tuple):
attribs = (attribs,)
return attribs == tuple(kwargs.values())
return [rule for rule in rules or self.get_rules() if finder(rule)]
def _match_url_for_page_object(
self, url: _Url | str, matcher: URLMatcher | None = None
) -> type[ItemPage] | None:
"""Returns the page object to use based on the URL and URLMatcher."""
if not url or matcher is None:
return None
rule_id = matcher.match(str(url))
if rule_id is not None:
return self._rules[rule_id].use
return None
def overrides_for(self, url: _Url | str) -> Mapping[type[ItemPage], type[ItemPage]]:
"""Finds all of the page objects associated with the given URL and
returns a Mapping where the 'key' represents the page object that is
**overridden** by the page object in 'value'."""
result: dict[type[ItemPage], type[ItemPage]] = {}
for replaced_page, matcher in self._overrides_matchers.items():
if replaced_page is None:
continue
page = self._match_url_for_page_object(url, matcher)
if page:
result[replaced_page] = page
return result
def page_cls_for_item(self, url: _Url | str, item_cls: type) -> type | None:
"""Return the page object class associated with the given URL that's able
to produce the given ``item_cls``."""
if item_cls is None:
return None
matcher = self._item_matchers.get(item_cls)
return self._match_url_for_page_object(url, matcher)
def top_rules_for_item(
self, url: _Url | str, item_cls: type
) -> Generator[ApplyRule]:
"""Iterates the top rules that apply for *url* and *item_cls*.
If multiple rules score the same, multiple rules are iterated. This may
be useful, for example, if you want to apply some custom logic to
choose between rules that otherwise have the same score. For example:
.. code-block:: python
from web_poet import default_registry
def browser_page_cls_for_item(url, item_cls):
fallback = None
for rule in default_registry.top_rules_for_item(url, item_cls):
if rule.meta.get("browser", False):
return rule.use
if not fallback:
fallback = rule.use
if not fallback:
raise ValueError(f"No rule found for URL {url!r} and item class {item_cls}")
return fallback
"""
if not url or not item_cls:
return
matcher = self._item_matchers.get(item_cls)
if not matcher:
return
max_priority = None
for rule_id in matcher.match_all(str(url)):
rule = self._rules[rule_id]
if max_priority is None:
max_priority = rule.for_patterns.priority
elif rule.for_patterns.priority < max_priority:
break
yield rule
def _walk_module(module: str) -> Iterable:
"""Return all modules from a module recursively.
Note that this will import all the modules and submodules. It returns the
provided module as well.
"""
def onerror(err):
raise err # pragma: no cover
spec = importlib.util.find_spec(module)
if not spec:
raise ImportError(f"Module {module} not found")
mod = importlib.import_module(spec.name)
yield mod
if spec.submodule_search_locations:
for info in pkgutil.walk_packages(
spec.submodule_search_locations, f"{spec.name}.", onerror
):
mod = importlib.import_module(info.name)
yield mod
def consume_modules(*modules: str) -> None:
"""This recursively imports all packages/modules so that the ``@handle_urls``
decorators are properly discovered and imported.
Let's take a look at an example:
.. code-block:: python
# FILE: my_page_obj_project/load_rules.py
from web_poet import default_registry, consume_modules
consume_modules("other_external_pkg.po", "another_pkg.lib")
rules = default_registry.get_rules()
For this case, the :class:`~.ApplyRule` are coming from:
- ``my_page_obj_project`` `(since it's the same module as the file above)`
- ``other_external_pkg.po``
- ``another_pkg.lib``
- any other modules that was imported in the same process inside the
packages/modules above.
If the ``default_registry`` had other ``@handle_urls`` decorators outside of
the packages/modules listed above, then the corresponding :class:`~.ApplyRule`
won't be returned. Unless, they were recursively imported in some way similar
to :func:`~.web_poet.rules.consume_modules`.
"""
for module in modules:
gen = _walk_module(module)
# Inspired by itertools recipe: https://docs.python.org/3/library/itertools.html
# Using a deque() results in a tiny bit performance improvement that list().
deque(gen, maxlen=0)
|