Unbearably fast O(1) runtime type-checking in pure Python.
.. # ------------------( SEO )------------------ .. # Metadata converted into HTML-specific meta tags parsed by search engines. .. # Note that: .. # * The "description" should be no more than 300 characters and ideally no .. # more than 150 characters, as search engines may silently truncate this .. # description to 150 characters in edge cases.
.. meta:: :description lang=en: Beartype is an open-source pure-Python PEP-compliant constant-time runtime type checker emphasizing efficiency and portability.
.. # ------------------( SYNOPSIS )------------------
=================
|ci-badge| |rtd-badge|
.. parsed-literal::
Look for the bare necessities, the simple bare necessities. Forget about your worries and your strife.
— `The Jungle Book`_.
Beartype is an open-source pure-Python
PEP-compliant__
constant-time__
runtime type checker__ emphasizing efficiency, portability, and thrilling puns.
Beartype brings Rust- and
C++-inspired
zero-cost abstractions__ into the lawless world of
dynamically-typed_ Python by
enforcing type safety at the granular level of functions and methods__ against
type hints standardized by the Python community__ in
O(1) non-amortized worst-case time with negligible constant factors. If the prior sentence was unreadable jargon,
see our friendly and approachable FAQ for a human-readable synopsis.
Beartype is
portably implemented__ in
Python 3,
continuously stress-testedvia
GitHub Actions_ + tox_ + pytest, and `permissively distributed <beartype license>
__ under theMIT license
_. Beartype has *no* runtime dependencies,only one test-time dependency
__, andonly one documentation-time dependency
__. Beartype supportsall actively developed Python versions
__,all Python package managers
__, andmultiple platform-specific package managers `__.
.. # Ideally, this heading would actually be formatted as a proper heading .. # (e.g., underlined by "=" characters). Since doing so causes the table of .. # contents that follows to be silently ignored, we fallback to a simple .. # block quote -- which technically suffices but is rather lame. So it goes!
.. topic:: tl;dr:
#.
Install beartype__:
.. code-block:: shell-sessionpip3 install beartype
#.
Decorate functions and methods annotated by PEP-compliant type hints with the @beartype.beartype decorator__:
.. code-block:: pythonfrom beartype import beartype from collections.abc import Iterable from typing import Optional @beartype def print_messages(messages: Optional[Iterable[str]] = ('Hello, world.',)): print('\n'.join(messages))
Quality assurance has now been assured.
.. # ------------------( TABLE OF CONTENTS )------------------ .. # Blank line. By default, Docutils appears to only separate the subsequent .. # table of contents heading from the prior paragraph by less than a single .. # blank line, hampering this table's readability and aesthetic comeliness.
|
.. # Table of contents, excluding the above document heading. While the .. # official reStructuredText documentation suggests that a language-specific .. # heading will automatically prepend this table, this does NOT appear to .. # be the case. Instead, this heading must be explicitly declared.
.. contents:: Contents :local:
.. # ------------------( DESCRIPTION )------------------
Beartype has a
roadmap forward to our first major milestone__: beartype 1.0.0, delivering perfect constant-time compliance with all annotation standards by late 2021. :sup:
...in theory
Join
the strangely enticing conversation__ and be a part of the spicy runtime type-checker that
goes up to eleven_.
Let's install
beartypewith pip_, because community standards are good:
.. code-block:: shell-session
pip3 install beartype
Let's install
beartypewith Anaconda_, because corporate standards are (occasionally) good too:
.. code-block:: shell-session
conda config --add channels conda-forge conda install beartype
Let's install
beartypewith Homebrew_ on macOS_ courtesy
our third-party tap__:
.. code-block:: shell-session
brew install beartype/beartype/beartype
Let's install
beartypewith MacPorts_ on macOS_:
.. code-block:: shell-session
sudo port install py-beartype
A big bear hug to
our official macOS package maintainer @harens__ for
packaging beartype for our Apple-appreciating audience__.
Let's install
beartypewith
emergeon Gentoo_ courtesy
a third-party overlay__, because source-based Linux distributions are the CPU-bound nuclear option:
.. code-block:: shell-session
emerge --ask app-eselect/eselect-repository mkdir -p /etc/portage/repos.conf eselect repository enable raiagent emerge --sync raiagent emerge beartype
Beartype is a novel first line of defense. In Python's vast arsenal of
software quality assurance (SQA)_, beartype holds the
shield wallagainst breaches in type safety by improper parameter and return values violating developer expectations.
Beartype is unopinionated. Beartype inflicts no developer constraints beyond
importation and usage of a single configuration-free decorator. Beartype is trivially integrated into new and existing applications, stacks, modules, and scripts already annotating callables with
PEP-compliant industry-standard type hints.
Beartype is zero-cost. Beartype inflicts no harmful developer tradeoffs, instead stressing expense-free strategies at both:
supports standard Python package managers__, and happily coexists with competing static type checkers and other runtime type checkers.
O(1) non-amortized worst-case runtime complexity with negligible constant factors__.
Like
competing static type checkers__ operating at the coarse-grained application level via ad-hoc heuristic type inference (e.g., Pyre, mypy, pyright, pytype), beartype effectively
imposes no runtime overhead__. Unlike static type checkers:
Beartype enjoys deterministic Turing-complete access to the actual callables, objects, and types being type-checked. This enables beartype to solve dynamic problems decidable only at runtime – including type-checking of arbitrary objects whose:
dynamically customize instance and subclass checks <_isinstancecheck>__ by implementing the
__instancecheck__()and/or
__subclasscheck__()dunder methods, including:
PEP 3119-compliant metaclasses (e.g.,
abc.ABCMeta).
dynamically customize the method resolution order (MRO) of subclasses <_mro_entries>__ by implementing the
__mro_entries__()dunder method, including:
PEP 560_-compliant pseudo-superclasses.
PEP 3119_-compliant third-party virtual base classes.
PEP 3141-compliant third-party virtual number classes (e.g., SymPy).
Unlike
comparable runtime type checkers__ (e.g., enforce, pytypes, typeguard_), beartype decorates callables with dynamically generated wrappers efficiently type-checking each parameter passed to and value returned from those callables in constant time. Since "performance by default" is our first-class concern, generated wrappers are guaranteed to:
O(1) non-amortized worst-case time complexity with negligible constant factors__.
Why, it's the world's first
O(1)runtime type checker in any
dynamically-typed_ lang... oh, forget it.
You know typeguard? Then you know
beartype– more or less.
beartypeis typeguard's younger, faster, and slightly sketchier brother who routinely ingests performance-enhancing anabolic nootropics.
Okay. Work with us here, people.
You know how in low-level
statically-typed_
memory-unsafe__ languages that no one should use like C_ and
C++_, the compiler validates at compilation time the types of all values passed to and returned from all functions and methods across the entire codebase?
.. code-block:: shell-session
$ gcc -Werror=int-conversion -xc - < int main() { printf("Hello, world!"); return "Goodbye, world."; } EOL : In function ‘main’: :4:11: error: returning ‘char *’ from a function with return type ‘int’ makes integer from pointer without a cast [-Werror=int-conversion] cc1: some warnings being treated as errors
You know how in high-level
duck-typed__ languages that everyone should use instead like Python_ and Ruby_, the interpreter performs no such validation at any interpretation phase but instead permits any arbitrary values to be passed to or returned from any function or method?
.. code-block:: shell-session
$ python3 - < int: print("Hello, world!"); return "Goodbye, world."; main() EOL
Hello, world!
Runtime type checkers like beartype_ and typeguard_ selectively shift the dial on type safety in Python from
duck__ to
static typing__ while still preserving all of the permissive benefits of the former as a default behaviour.
.. code-block:: shell-session
$ python3 - < int: print("Hello, world!"); return "Goodbye, world."; main() EOL
Hello, world! Traceback (most recent call last): File "", line 6, in File "", line 17, in _beartypedmain File "/home/leycec/py/beartype/beartype/decor/code/pep/error/peperror.py", line 218, in raisepepcallexception raise exceptioncls( beartype.roar.BeartypeCallHintPepReturnException: @beartyped main() return 'Goodbye, world.' violates type hint , as value 'Goodbye, world.' not int.
Use
beartypeto assure the quality of Python code beyond what tests alone can assure. If you have yet to test, do that first with a pytest-based test suite, tox configuration, and
continuous integration (CI). If you have any time, money, or motivation left,
annotate callables with PEP-compliant type hintsand
decorate those callables with the @beartype.beartype decorator__.
Prefer
beartypeover other runtime and static type checkers whenever you lack control over the objects passed to or returned from your callables – especially whenever you cannot limit the size of those objects. This includes common developer scenarios like:
If none of the above apply, prefer
beartypeover static type checkers whenever:
check types decidable only at runtime__.
...which you should, which most static type checkers remain incompatible with.
If none of the above still apply, still use
beartype. It's
free as in beer and speech,
cost-free at installation- and runtime, and transparently stacks with existing type checking solutions. Leverage
beartypeuntil you find something that suites you better, because
beartypeis always better than nothing.
The idea of
beartypeis that it never costs you anything. It might not do quite as much as you'd like, but it will always do something – which is more than Python's default behaviour, which is to do nothing and ignore type hints altogether. This means you can always safely add
beartypeto any Python package, module, app, or script regardless of size, scope, funding, or audience and never worry about your back-end Django_ server taking a nosedive on St. Patty's Day just because your front-end React_ client helpfully sent a 5MB JSON file serializing a doubly-nested list of integers.
The idea of typeguard_ is that it does everything. If you annotate a function decorated by typeguard_ as accepting a triply-nested list of integers and then pass that function a list containing 1,000 nested lists each containing 1,000 nested lists each containing 1,000 integers, every call to that function will check every integer transitively nested in that list – even if that list never changes. Did we mention that list transitively contains 1,000,000,000 integers in total?
.. code-block:: shell-session
$ python3 -m timeit -n 1 -r 1 -s ' from typeguard import typechecked @typechecked def behold(thegreatdestroyerofapps: list[list[list[int]]]) -> int: return len(thegreatdestroyerofapps) ' 'behold([[[0]1000]1000]*1000)'
1 loop, best of 1: 6.42e+03 sec per loop
Yes,
6.42e+03 sec per loop == 6420 seconds == 107 minutes == 1 hour, 47 minutesto check a single list once. Yes, it's an uncommonly large list, but it's still just a list. This is the worst-case cost of a single call to a function decorated by a naïve runtime type checker.
Generally, as little as it can while still satisfying the accepted definition of "runtime type checker." Specifically,
beartypeperforms a
one-way random walk over the expected data structure of objects passed to and returned from @beartype-decorated functions and methods__.
Consider
the prior example of a function annotated as accepting a triply-nested list of integers passed a list containing 1,000 nested lists each containing 1,000 nested lists each containing 1,000 integers__.
When decorated by typeguard_, every call to that function checks every integer nested in that list.
When decorated by
beartype, every call to the same function checks only a single random integer contained in a single random nested list contained in a single random nested list contained in that parent list. This is what we mean by the quaint phrase "one-way random walk over the expected data structure."
.. code-block:: shell-session
$ python3 -m timeit -n 1024 -r 4 -s ' from beartype import beartype @beartype def behold(thegreatdestroyerofapps: list[list[list[int]]]) -> int: return len(thegreatdestroyerofapps) ' 'behold([[[0]1000]1000]*1000)'
1024 loops, best of 4: 13.8 usec per loop
13.8 usec per loop == 13.8 microseconds = 0.0000138 secondsto transitively check only a random integer nested in a single triply-nested list passed to each call of that function. This is the worst-case cost of a single call to a function decorated by an
O(1)runtime type checker.
Beartype makes type-checking painless, portable, and possibly fun. Just:
Decorate functions and methods annotated by `standard type hints `__ with the ``@beartype.beartype`` decorator, which wraps those functions and methods in performant type-checking dynamically generated on-the-fly.
Let's see what that looks like for a
"Hello, Jungle!"toy example. Just:
@beartype.beartypedecorator:
.. code-block:: python
from beartype import beartype
.. code-block:: python
from sys import stderr, stdout from typing import TextIO@beartype def hello_jungle( sep: str = ' ', end: str = '\n', file: TextIO = stdout, flush: bool = False, ): ''' Print "Hello, Jungle!" to a stream, or to sys.stdout by default.
Optional keyword arguments: file: a file-like object (stream); defaults to the current sys.stdout. sep: string inserted between values, default a space. end: string appended after the last value, default a newline. flush: whether to forcibly flush the stream. ''' print('Hello, Jungle!', sep, end, file, flush)
.. code-block:: python
>>> hello_jungle(sep='...ROOOAR!!!!', end='uhoh.', file=stderr, flush=True) Hello, Jungle! ...ROOOAR!!!! uhoh.
human-readable exceptions exhibiting the single cause of failure:
.. code-block:: python
>>> hello_jungle(sep=( ... b"What? Haven't you ever seen a byte-string separator before?")) BeartypeCallHintPepParamException: @beartyped hello_jungle() parameter sep=b"What? Haven't you ever seen a byte-string separator before?" violates type hint , as value b"What? Haven't you ever seen a byte-string separator before?" not str.
Let's wrap the
third-party numpy.empty_like() function__ with automated runtime type checking to demonstrate beartype's support for non-trivial combinations of nested type hints compliant with different PEPs:
.. code-block:: python
from beartype import beartype from collections.abc import Sequence from numpy import dtype, empty_like, ndarray from typing import Optional, Union@beartype def empty_like_bear( prototype: object, dtype: Optional[dtype] = None, order: str = 'K', subok: bool = True, shape: Optional[Union[int, Sequence[int]]] = None, ) -> ndarray: return empty_like(prototype, dtype, order, subok, shape)
Note the non-trivial hint for the optional
shapeparameter, synthesized from a
PEP 484-compliant optional__ of a
PEP 484-compliant union__ of a builtin type and a
PEP 585-compliant subscripted abstract base class (ABC)__, accepting as valid either:
Nonesingleton.
Let's call that wrapper with both valid and invalid parameters:
.. code-block:: python
>>> empty_like_bear(([1,2,3], [4,5,6]), shape=(2, 2)) array([[94447336794963, 0], [ 7, -1]]) >>> empty_like_bear(([1,2,3], [4,5,6]), shape=([2], [2])) BeartypeCallHintPepParamException: @beartyped empty_like_bear() parameter shape=([2], [2]) violates type hint typing.Union[int, collections.abc.Sequence, NoneType], as ([2], [2]): * Not or int. * Tuple item 0 value [2] not int.
Note the human-readable message of the raised exception, containing a bulleted list enumerating the various ways this invalid parameter fails to satisfy its type hint, including the types and indices of the first container item failing to satisfy the nested
Sequence[int]hint.
See a
subsequent section__ for actual code dynamically generated by
beartypefor real-world use cases resembling those above. Fun!
If you know
type hints, you know
beartype. Since
beartypeis driven entirely by
tool-agnostic community standards, the public API for
beartypeis just the summation of those standards. As the user, all you need to know is that decorated callables magically begin raising human-readable exceptions when you pass parameters or return values that violate the PEP-compliant type hints annotating those parameters or return values.
If you don't know
type hints_, this is your moment to go deep on the hardest hammer in Python's SQA toolbox. Here are a few friendly primers to guide you on your maiden voyage through the misty archipelagos of type hinting:
"Python Type Checking (Guide)"__, a comprehensive third-party introduction to the subject. Like most existing articles, this guide predates
O(1)runtime type checkers and thus discusses only static type checking. Thankfully, the underlying syntax and semantics cleanly translate to runtime type checking.
"PEP 484 -- Type Hints", the defining standard, holy grail, and first testament of type hinting
personally authored by Python's former Benevolent Dictator for Life (BDFL) himself, Guido van Rossum. Since it's surprisingly approachable and covers all the core conceits in detail, we recommend reading at least a few sections of interest. Since it's really a doctoral thesis by another name, we can't recommend reading it in entirety. So it goes.
.. #FIXME: Concatenate the prior list item with this when I am no exhausted. .. # Instead, here's the highlights reel: .. # .. # *
typing.Union_, enabling .
Onward to the cheats!
Let's type-check like
greased lightning_:
.. code-block:: python
# Import the core @beartype decorator. from beartype import beartype
# Import PEP 593-compliant type hints. Note this requires Python ≥ 3.9. from typing import Annotated
# Import PEP 585-compliant type hints. Note this requires Python ≥ 3.9. from collections.abc import ( Callable, Generator, Iterable, MutableSequence, Sequence)
# Import PEP 544-compliant type hints. Note this requires Python ≥ 3.8. from typing import Protocol, runtime_checkable
# Import PEP 484-compliant type hints, too. Note that many of these types # have been deprecated by PEP 585-compliant type hints under Python ≥ 3.9, # where @beartype emits non-fatal deprecation warnings at decoration time. # See also: https://docs.python.org/3/library/typing.html from typing import Any, List, Optional, Tuple, TypeVar, Union
# Import beartype-specific types to annotate callables with, too. from beartype.cave import ( NoneType, NoneTypeOr, RegexTypes, ScalarTypes, VersionTypes)
# Import standard abstract base classes (ABCs) for use with @beartype, too. from numbers import Integral, Real
# Import user-defined classes for use with @beartype, too. from mypackage.mymodule import MyClass
# User-defined PEP 544-compliant protocol referenced below in type hints. # Note this requires Python ≥ 3.8 and that protocols MUST be explicitly # decorated by the @runtimecheckable decorator to be usable with @beartype. @runtimecheckable class MyProtocol(Protocol): def my_method(self) -> str: return ( 'Objects satisfy this protocol only if their ' 'classes define a method with the same signature as this method.' )
# User-defined PEP 484-compliant type variable. Note that @beartype currently # ignores type variables, but that @beartype 0.9.0 is expected to fully # support type variables. See also: https://github.com/beartype/beartype/issues/7 T = TypeVar('T')
# Decorate functions with @beartype and... @beartype def myfunction( # Annotate builtin types as is. parammustsatisfybuiltin_type: str,
# Annotate user-defined classes as is, too. Note this covariantly # matches all instances of both this class and subclasses of this class. param_must_satisfy_user_type: MyClass,Annotate PEP 593-compliant types, indexed by a type checked by
@beartype followed by arbitrary objects ignored by @beartype.
param_must_satisfy_pep593: Annotated[dict[int, bool], range(5), True],
Annotate PEP 585-compliant builtin container types, indexed by the
types of items these containers are required to contain.
param_must_satisfy_pep585_builtin: list[str],
Annotate PEP 585-compliant standard collection types, indexed too.
param_must_satisfy_pep585_collection: MutableSequence[str],
Annotate PEP 544-compliant protocols, either unindexed or indexed by
one or more type variables.
param_must_satisfy_pep544: MyProtocol[T],
Annotate PEP 484-compliant non-standard container types defined by the
"typing" module, optionally indexed and only usable as type hints.
Note that these types have all been deprecated by PEP 585 under Python
≥ 3.9. See also: https://docs.python.org/3/library/typing.html
param_must_satisfy_pep484_typing: List[int],
Annotate PEP 484-compliant unions of arbitrary types, including
builtin types, type variables, and PEP 585-compliant type hints.
param_must_satisfy_pep484_union: Union[dict, T, tuple[MyClass, ...]],
Annotate PEP 484-compliant relative forward references dynamically
resolved at call time as unqualified classnames relative to the
current user-defined submodule. Note this class is defined below and
that beartype-specific absolute forward references are also supported.
param_must_satisfy_pep484_relative_forward_ref: 'MyOtherClass',
Annotate PEP-compliant types indexed by similar references. Note that
forward references are supported everywhere standard types are.
param_must_satisfy_pep484_hint_relative_forward_ref: ( Union['MyPep484Generic', set['MyPep585Generic']]),
Annotate beartype-specific types predefined by the beartype cave.
param_must_satisfy_beartype_type_from_cave: NoneType,
Annotate beartype-specific unions of types as tuples.
param_must_satisfy_beartype_union: (dict, MyClass, int),
Annotate beartype-specific unions predefined by the beartype cave.
param_must_satisfy_beartype_union_from_cave: ScalarTypes,
Annotate beartype-specific unions concatenated together.
param_must_satisfy_beartype_union_concatenated: (Iterator,) + ScalarTypes,
Annotate beartype-specific absolute forward references dynamically
resolved at call time as fully-qualified "."-delimited classnames.
param_must_satisfy_beartype_absolute_forward_ref: ( 'my_package.my_module.MyClass'),
Annotate beartype-specific forward references in unions of types, too.
param_must_satisfy_beartype_union_with_forward_ref: ( Iterable, 'my_package.my_module.MyOtherClass', NoneType),
Annotate PEP 484-compliant optional types. Note that parameters
annotated by this type typically default to the "None" singleton.
param_must_satisfy_pep484_optional: Optional[float] = None,
Annotate PEP 484-compliant optional unions of types.
param_must_satisfy_pep484_optional_union: ( Optional[Union[float, int]]) = None,
Annotate beartype-specific optional types.
param_must_satisfy_beartype_type_optional: NoneTypeOr[float] = None,
Annotate beartype-specific optional unions of types.
param_must_satisfy_beartype_tuple_optional: NoneTypeOr[float, int] = None,
Annotate variadic positional arguments as above, too.
*args: VersionTypes + (Real, 'my_package.my_module.MyVersionType'),
Annotate keyword-only arguments as above, too.
param_must_be_passed_by_keyword_only: Sequence[Union[bool, list[str]]],
# Annotate return types as above, too. ) -> Union[Integral, 'MyPep585Generic', bool]: return 0xDEADBEEF
# Decorate generators as above but returning a generator type. @beartype def my_generator() -> Generator[int, None, None]: yield from range(0xBEEFBABE, 0xCAFEBABE)
# User-defined class referenced in forward references above. class MyOtherClass: # Decorate instance methods as above without annotating "self". @beartype def init(self, scalar: ScalarTypes) -> NoneType: self._scalar = scalar
# Decorate class methods as above without annotating "cls". When # chaining decorators, "@beartype" should typically be specified last. @classmethod @beartype def bare_classmethod(cls, regex: RegexTypes, wut: str) -> ( Callable[(), str]): import re return lambda: re.sub(regex, 'unbearable', str(cls._scalar) + wut)Decorate static methods as above.
@staticmethod @beartype def bare_staticmethod(callable: Callable, *args: str) -> Any: return callable(*args)
Decorate property getter methods as above.
@property @beartype def bare_gettermethod(self) -> Iterator[int]: return range(0x0B00B135 + int(self._scalar), 0xB16B00B5)
Decorate property setter methods as above.
@bare_gettermethod.setter @beartype def bare_settermethod(self, bad: Integral = 0xBAAAAAAD) -> NoneType: self._scalar = bad if bad else 0xBADDCAFE
# User-defined PEP 585-compliant generic referenced above in type hints. # Note this requires Python ≥ 3.9. class MyPep585Generic(tuple[int, float]): # Decorate static class methods as above without annotating "cls". @beartype def new(cls, integer: int, real: float) -> tuple[int, float]: return tuple.new(cls, (integer, real))
# User-defined PEP 484-compliant generic referenced above in type hints. class MyPep484Generic(Tuple[str, ...]): # Decorate static class methods as above without annotating "cls". @beartype def new(cls, *args: str) -> Tuple[str, ...]: return tuple.new(cls, args)
Let's chart current and future compliance with Python's
typing_ landscape:
.. # FIXME: Span category cells across multiple rows.
+------------------+-----------------------------------------+-------------------------------+---------------------------+ | category | feature | versions partially supporting | versions fully supporting | +==================+=========================================+===============================+===========================+ | decoratable | classes | none | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | coroutines | none | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | functions | 0.1.0\ —\ current | 0.1.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | generators | 0.1.0\ —\ current | 0.1.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | methods | 0.1.0\ —\ current | 0.1.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | parameters | optional | 0.1.0\ —\ current | 0.1.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | keyword-only | 0.1.0\ —\ current | 0.1.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | positional-only | none | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | variadic keyword | none | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | variadic positional | 0.1.0\ —\ current | 0.1.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | hints |
covariant__ | 0.1.0\ —\ current | 0.1.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
contravariant__ | none | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | absolute forward references | 0.1.0\ —\ current | 0.1.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
relative forward references_ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
tuple unions__ | 0.1.0\ —\ current | 0.1.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | builtins_ | None_ | 0.5.2\ —\ current | 0.5.2\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | dict_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | frozenset_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | list_ | 0.5.0\ —\ current | 0.5.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | set_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | tuple_ | 0.5.0\ —\ current | 0.5.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | type_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | collections_ | collections.ChainMap_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.Counter_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.OrderedDict_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.defaultdict_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.deque_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | collections.abc_ | collections.abc.AsyncGenerator_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.AsyncIterable_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.AsyncIterator_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.Awaitable_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.ByteString_ | 0.5.0\ —\ current | 0.5.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.Callable_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.Collection_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.Container_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.Coroutine_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.Generator_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.ItemsView_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.Iterable_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.Iterator_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.KeysView_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.Mapping_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.MappingView_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.MutableMapping_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.MutableSequence_ | 0.5.0\ —\ current | 0.5.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.MutableSet_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.Reversible_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.Sequence_ | 0.5.0\ —\ current | 0.5.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.Set_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | collections.abc.ValuesView_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | contextlib_ | contextlib.AbstractAsyncContextManager_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | contextlib.AbstractContextManager_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | re_ | re.Match_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | re.Pattern_ | 0.5.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | typing_ | typing.AbstractSet_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Annotated_ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Any_ | 0.2.0\ —\ current | 0.2.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.AnyStr_ | 0.4.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.AsyncContextManager_ | 0.4.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.AsyncGenerator_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.AsyncIterable_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.AsyncIterator_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Awaitable_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.BinaryIO_ | 0.4.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.ByteString_ | 0.2.0\ —\ current | 0.2.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Callable_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.ChainMap_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.ClassVar_ | none | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Collection_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Container_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.ContextManager_ | 0.4.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Coroutine_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Counter_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.DefaultDict_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Deque_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Dict_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Final_ | none | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.ForwardRef_ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.FrozenSet_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Generator_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Generic_ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Hashable_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.IO_ | 0.4.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.ItemsView_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Iterable_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Iterator_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.KeysView_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.List_ | 0.2.0\ —\ current | 0.3.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Literal_ | none | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Mapping_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.MappingView_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Match_ | 0.4.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.MutableMapping_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.MutableSequence_ | 0.2.0\ —\ current | 0.3.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.MutableSet_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.NamedTuple_ | 0.1.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.NewType_ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.NoReturn_ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Optional_ | 0.2.0\ —\ current | 0.2.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.OrderedDict_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Pattern_ | 0.4.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Protocol_ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Reversible_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Sequence_ | 0.2.0\ —\ current | 0.3.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Set_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Sized_ | 0.2.0\ —\ current | 0.2.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.SupportsAbs_ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.SupportsBytes_ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.SupportsComplex_ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.SupportsFloat_ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.SupportsIndex_ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.SupportsInt_ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.SupportsRound_ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Text_ | 0.1.0\ —\ current | 0.1.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.TextIO_ | 0.4.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Tuple_ | 0.2.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Type_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.TypedDict_ | 0.1.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.TypeVar_ | 0.4.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.Union_ | 0.2.0\ —\ current | 0.2.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | typing.ValuesView_ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
typing.TYPE_CHECKING_ | 0.5.0\ —\ current | 0.5.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
@typing.final_ | none | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
@typing.no_type_check_ | 0.5.0\ —\ current | 0.5.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | PEP |
484__ | 0.2.0\ —\ current | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
544__ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
560__ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
563__ | 0.1.1\ —\ current | 0.1.1\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
572__ | 0.3.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
585__ | 0.5.0\ —\ current | 0.5.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
586__ | none | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
589__ | none | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
591__ | none | none | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
593__ | 0.4.0\ —\ current | 0.4.0\ —\ current | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | packages |
PyPI__ | 0.1.0\ —\ current | — | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
Anaconda__ | 0.1.0\ —\ current | — | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
Gentoo Linux__ | 0.2.0\ —\ current | — | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
macOS Homebrew__ | 0.5.1\ —\ current | — | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | |
macOS MacPorts__ | 0.5.1\ —\ current | — | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | Python | 3.5 | 0.1.0\ —\ 0.3.0 | — | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | 3.6 | 0.1.0\ —\ current | — | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | 3.7 | 0.1.0\ —\ current | — | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | 3.8 | 0.1.0\ —\ current | — | +------------------+-----------------------------------------+-------------------------------+---------------------------+ | | 3.9 | 0.3.2\ —\ current | — | +------------------+-----------------------------------------+-------------------------------+---------------------------+
Let's profile
beartypeagainst other runtime type-checkers with
a battery of surely fair, impartial, and unbiased use cases__:
.. code-block:: shell-session
$ bin/profile.bash
beartype profiler [version]: 0.0.2
python [basename]: python3.9 python [version]: Python 3.9.0 beartype [version]: 0.5.2 typeguard [version]: 2.9.1
===================================== str ===================================== profiling regime: number of meta-loops: 3 number of loops: 100 number of calls each loop: 100 decoration [none ]: 100 loops, best of 3: 359 nsec per loop decoration [beartype ]: 100 loops, best of 3: 389 usec per loop decoration [typeguard]: 100 loops, best of 3: 13.5 usec per loop decoration + calls [none ]: 100 loops, best of 3: 14.8 usec per loop decoration + calls [beartype ]: 100 loops, best of 3: 514 usec per loop decoration + calls [typeguard]: 100 loops, best of 3: 6.34 msec per loop
=============================== Union[int, str] =============================== profiling regime: number of meta-loops: 3 number of loops: 100 number of calls each loop: 100 decoration [none ]: 100 loops, best of 3: 1.83 usec per loop decoration [beartype ]: 100 loops, best of 3: 433 usec per loop decoration [typeguard]: 100 loops, best of 3: 15.6 usec per loop decoration + calls [none ]: 100 loops, best of 3: 17.7 usec per loop decoration + calls [beartype ]: 100 loops, best of 3: 572 usec per loop decoration + calls [typeguard]: 100 loops, best of 3: 10 msec per loop
=========================== List[int] of 1000 items =========================== profiling regime: number of meta-loops: 1 number of loops: 1 number of calls each loop: 7485 decoration [none ]: 1 loop, best of 1: 10.1 usec per loop decoration [beartype ]: 1 loop, best of 1: 1.3 msec per loop decoration [typeguard]: 1 loop, best of 1: 41.1 usec per loop decoration + calls [none ]: 1 loop, best of 1: 1.24 msec per loop decoration + calls [beartype ]: 1 loop, best of 1: 18.3 msec per loop decoration + calls [typeguard]: 1 loop, best of 1: 104 sec per loop
============ List[Sequence[MutableSequence[int]]] of 10 items each ============ profiling regime: number of meta-loops: 1 number of loops: 1 number of calls each loop: 7485 decoration [none ]: 1 loop, best of 1: 11.8 usec per loop decoration [beartype ]: 1 loop, best of 1: 1.77 msec per loop decoration [typeguard]: 1 loop, best of 1: 48.9 usec per loop decoration + calls [none ]: 1 loop, best of 1: 1.19 msec per loop decoration + calls [beartype ]: 1 loop, best of 1: 81.2 msec per loop decoration + calls [typeguard]: 1 loop, best of 1: 17.3 sec per loop
.. note:: *
sec= seconds. *
msec= milliseconds = 10\ :sup:
-3seconds. *
usec= microseconds = 10\ :sup:
-6seconds. *
nsec= nanoseconds = 10\ :sup:
-9seconds.
beartypeis:
stras it does to check those hinted by the unified type
Union[int, str]as it does to check those hinted by the container type
List[object]. typeguard_ is variable across type hints, taking significantly longer to check
List[object]as as it does to check
Union[int, str], which takes roughly twice the time as it does to check
str.
beartypeperforms most of its work at decoration time. The
@beartypedecorator consumes most of the time needed to first decorate and then repeatedly call a decorated function.
beartypeis thus front-loaded. After paying the initial cost of decoration, each type-checked call thereafter incurs comparatively little overhead.
Conventional runtime type checkers perform most of their work at call time. The
@typeguard.typecheckedand similar decorators consume almost none of the time needed to first decorate and then repeatedly call a decorated function. They are thus back-loaded. Although the initial cost of decoration is essentially free, each type-checked call thereafter incurs significant overhead.
Beartype dynamically generates functions wrapping decorated callables with constant-time runtime type-checking. This separation of concerns means that beartype exhibits different cost profiles at decoration and call time. Whereas standard runtime type-checking decorators are fast at decoration time and slow at call time, beartype is the exact opposite.
At call time, wrapper functions generated by the
@beartypedecorator are guaranteed to unconditionally run in O(1) non-amortized worst-case time with negligible constant factors regardless of type hint complexity or nesting. This is not an amortized average-case analysis. Wrapper functions really are
O(1)time in the best, average, and worst cases.
At decoration time, performance is slightly worse. Internally, beartype non-recursively iterates over type hints at decoration time with a micro-optimized breadth-first search (BFS). Since this BFS is memoized, its cost is paid exactly once per type hint per process; subsequent references to the same hint over different parameters and returns of different callables in the same process reuse the results of the previously memoized BFS for that hint. The
@beartypedecorator itself thus runs in:
kthe number of child type hints nested in a parent type hint and including that parent.
Since we generally expect a callable to be decorated only once but called multiple times per process, we might expect the cost of decoration to be ignorable in the aggregate. Interestingly, this is not the case. Although only paid once and obviated through memoization, decoration time is sufficiently expensive and call time sufficiently inexpensive that beartype spends most of its wall-clock merely decorating callables. The actual function wrappers dynamically generated by
@beartypeconsume comparatively little wall-clock, even when repeatedly called many times.
Beartype's greatest strength is that it checks types in constant time.
Beartype's greatest weakness is that it checks types in constant time.
Only so many type-checks can be stuffed into a constant slice of time with negligible constant factors. Let's detail exactly what (and why) beartype stuffs into its well-bounded slice of the CPU pie.
Standard runtime type checkers naïvely brute-force the problem by type-checking all child objects transitively reachable from parent objects passed to and returned from callables in
O(n)linear time for
nsuch objects. This approach avoids false positives (i.e., raising exceptions for valid objects) and false negatives (i.e., failing to raise exceptions for invalid objects), which is good. But this approach also duplicates work when those objects remain unchanged over multiple calls to those callables, which is bad.
Beartype circumvents that badness by generating code at decoration time performing a one-way random tree walk over the expected nested structure of those objects at call time. For each expected nesting level of each container passed to or returned from each callable decorated by
@beartypestarting at that container and ending either when a check fails or all checks succeed, that callable performs these checks (in order):
instance of the type given by the current possibly nested type hint.
itself satisfies the first check.
For example, given a parameter's type hint
list[tuple[Sequence[str]]], beartype generates code at decoration time performing these checks at call time (in order):
Beartype thus performs one check for each possibly nested type hint for each annotated parameter or return object for each call to each decorated callable. This deep randomness gives us soft statistical expectations as to the number of calls needed to check everything. Specifically,
it can be shown that beartype type-checks on average__ all child objects transitively reachable from parent objects passed to and returned from callables in
O(n log n)calls to those callables for
nsuch objects. Praise RNGesus_!
Beartype avoids false positives and rarely duplicates work when those objects remain unchanged over multiple calls to those callables, which is good. Sadly, beartype also invites false negatives, because this approach only checks a vertical slice of the full container structure each call, which is bad.
We claim without evidence that false negatives are unlikely under the optimistic assumption that most real-world containers are homogenous (i.e., contain only items of the same type) rather than heterogenous (i.e., contain items of differing types). Examples of homogenous containers include (byte-)strings,
ranges,
streams,
memory views,
method resolution orders (MROs),
generic alias parameters, lists returned by the dir builtin, iterables generated by the os.walk_ function, standard NumPy_ arrays, Pandas_
DataFramecolumns, PyTorch_ tensors, NetworkX_ graphs, and really all scientific containers ever.
Math time, people. :sup:
it's happening
Most runtime type-checkers exhibit
O(n)time complexity (where
nis the total number of items recursively contained in a container to be checked) by recursively and repeatedly checking all items of all containers passed to or returned from all calls of decorated callables.
beartypeguarantees
O(1)time complexity by non-recursively but repeatedly checking one random item at all nesting levels of all containers passed to or returned from all calls of decorated callables, thus amortizing the cost of deeply checking containers across calls. (See the subsection on
@beartype-generated code deeply type-checking arbitrarily nested containers in constant time__ for what this means in practice.)
beartypeexploits the
well-known coupon collector's problem__ applied to abstract trees of nested type hints, enabling us to statistically predict the number of calls required to fully type-check all items of an arbitrary container on average. Formally, let:
E(T)be the expected number of calls needed to check all items of a container containing only non-container items (i.e., containing no nested subcontainers) either passed to or returned from a
@beartype\ -decorated callable.
γ ≈ 0.5772156649be the
Euler–Mascheroni constant_.
Then:
.. #FIXME: GitHub currently renders LaTeX-based "math" directives in .. # reStructuredText as monospaced literals, which is hot garbage. Until .. # resolved, do the following: .. # * Preserve ALL such directives as comments, enabling us to trivially .. # revert to the default approach after GitHub resolves this. .. # * Convert ALL such directives into GitHub-hosted URLs via any of the .. # following third-party webapps: .. # https://tex-image-link-generator.herokuapp.com .. # https://jsfiddle.net/8ndx694g .. # https://marketplace.visualstudio.com/items?itemName=MeowTeam.vscode-math-to-image .. # See also this long-standing GitHub issue: .. # https://github.com/github/markup/issues/83 .. #FIXME: Actually, we'll be leveraging Sphinx's MathJax extension to render .. # this, which means the currently disabled "math::" directives below should .. # now work out-of-the-box. If so, remove the corresponding images, please.
.. #FIXME: Uncomment after GitHub resolves LaTeX math rendering. .. # .. math:: E(T) = n \log n + \gamma n + \frac{1}{2} + O\left(\frac{1}{n}\right)
.. image:: https://render.githubusercontent.com/render/math?math=%5Cdisplaystyle+E%28T%29+%3D+n+%5Clog+n+%2B+%5Cgamma+n+%2B+%5Cfrac%7B1%7D%7B2%7D+%2B+O%5Cleft%28%5Cfrac%7B1%7D%7Bn%7D%5Cright%29
.. #FIXME: Uncomment after GitHub resolves LaTeX math rendering. .. # The summation :math:
\frac{1}{2} + O\left(\frac{1}{n}\right) \le 1is .. # negligible. While non-negligible, the term :math:
\gamma ngrows significantly .. # slower than the term :math:
n \log n. So this reduces to:
The summation
½ + O(1/n)is strictly less than 1 and thus negligible. While non-negligible, the term
γngrows significantly slower than the term
nlogn. So this reduces to:
.. #FIXME: Uncomment after GitHub resolves LaTeX math rendering. .. # .. math:: E(T) = O(n \log n)
.. image:: https://render.githubusercontent.com/render/math?math=%5Cdisplaystyle+E%28T%29+%3D+O%28n+%5Clog+n%29
We now generalize this bound to the general case. When checking a container containing no subcontainers,
beartypeonly randomly samples one item from that container on each call. When checking a container containing arbitrarily many nested subcontainers, however,
beartyperandomly samples one random item from each nesting level of that container on each call.
In general,
beartypethus samples
hrandom items from a container on each call, where
his that container's height (i.e., maximum number of edges on the longest path from that container to a non-container leaf item reachable from items directly contained in that container). Since
h ≥ 1,
beartypesamples at least as many items each call as assumed in the usual
coupon collector's problem_ and thus paradoxically takes a fewer number of calls on average to check all items of a container containing arbitrarily many subcontainers as it does to check all items of a container containing no subcontainers.
Ergo, the expected number of calls
E(S)needed to check all items of an arbitrary container exhibits the same or better growth rate and remains bound above by at least the same upper bounds – but probably tighter: e.g.,
.. #FIXME: Uncomment after GitHub resolves LaTeX math rendering. .. # .. math:: E(S) = O(E(T)) = O(n \log n)
.. image:: https://render.githubusercontent.com/render/math?math=%5Cdisplaystyle+E%28S%29+%3D+O%28E%28T%29%29+%3D+O%28n+%5Clog+n%29%0A
Fully checking a container takes no more calls than that container's size times the logarithm of that size on average. For example, fully checking a list of 50 integers is expected to take 225 calls on average.
beartypeis fully compliant with these
Python Enhancement Proposals (PEPs)__:
PEP 483 -- The Theory of Type Hints, subject to
caveats detailed below
PEP 484 -- Type Hints, subject to
caveats detailed below.
PEP 544 -- Protocols: Structural subtyping (static duck typing)_.
PEP 560 -- Core support for typing module and generic types_.
PEP 563 -- Postponed Evaluation of Annotations__.
PEP 572 -- Assignment Expressions__.
PEP 585 -- Type Hinting Generics In Standard Collections__.
PEP 593 -- Flexible function and variable annotations__.
beartypeis currently not compliant whatsoever with these PEPs:
PEP 526 -- Syntax for Variable Annotations__.
PEP 586 -- Literal Types__.
PEP 589 -- TypedDict: Type Hints for Dictionaries with a Fixed Set of Keys__.
PEP 591 -- Adding a final qualifier to typing__.
See also the PEP and typing categories of our
features matrix__ for further details.
beartypedeeply type-checks (i.e., directly checks the types of and recursively checks the types of items contained in) parameters and return values annotated with these typing_ types:
Generics (i.e., classes subclassing one or more typing_ non-class objects), including:
Protocols (i.e., classes directly subclassing the typing.Protocol_ abstract base class (ABC) and zero or more typing_ non-class objects), including:
Forward references__ (i.e., unqualified relative classnames typically referring to user-defined classes that have yet to be defined).
Forward reference-subscripted types (i.e., typing_ objects subscripted by one or more
forward references__).
beartypealso fully supports callables decorated by these typing_ decorators:
@typing.no_type_check_.
Lastly,
beartypefully supports these typing_ constants:
beartypecurrently only shallowly type-checks (i.e., only directly checks the types of) parameters and return values annotated with these typing_ types:
PEP 585-compliant C-based type hint instantiated by subscripting either a concrete builtin container class like list or tuple_ or an abstract base class (ABC) declared by the collections.abc_ or contextlib_ modules like collections.abc.Iterable_ or contextlib.AbstractContextManager_ with one or more PEP-compliant child type hints).
Subsequent
beartypeversions will deeply type-check these typing_ types while preserving our
O(1) time complexity (with negligible constant factors) guarantee__.
beartypecurrently silently ignores these typing_ types at decoration time:
@typing.final_.
Type variables (i.e., typing.TypeVar_ instances enabling general-purpose type-checking of generically substitutable types), including:
beartypecurrently raises exceptions at decoration time when passed these typing_ types:
Subsequent
beartypeversions will first shallowly and then deeply type-check these typing_ types while preserving our
O(1) time complexity (with negligible constant factors) guarantee__.
Let's begin with the simplest type of type-checking supported by
@beartype.
Builtin types like
dict,
int,
list,
set, and
strare trivially type-checked by annotating parameters and return values with those types as is.
Let's declare a simple beartyped function accepting a string and a dictionary and returning a tuple:
.. code-block:: python
from beartype import beartype
@beartype def lawofthe_jungle(wolf: str, pack: dict) -> tuple: return (wolf, pack[wolf]) if wolf in pack else None
Let's call that function with good types:
.. code-block:: python
lawofthe_jungle(wolf='Akela', pack={'Akela': 'alone', 'Raksha': 'protection'}) ('Akela', 'alone')
Good function. Let's call it again with bad types:
.. code-block:: python
lawofthejungle(wolf='Akela', pack=['Akela', 'Raksha']) Traceback (most recent call last): File "", line 1, in lawofthejungle(wolf='Akela', pack=['Akela', 'Raksha']) File "", line 22, in lawofthejunglebeartyped beartype.roar.BeartypeCallTypeParamException: @beartyped lawofthe_jungle() parameter pack=['Akela', 'Raksha'] not a .
The
beartype.roarsubmodule publishes exceptions raised at both decoration time by
@beartypeand at runtime by wrappers generated by
@beartype. In this case, a runtime type exception describing the improperly typed
packparameter is raised.
Good function! Let's call it again with good types exposing a critical issue in this function's implementation and/or return type annotation:
.. code-block:: python
lawofthejungle(wolf='Leela', pack={'Akela': 'alone', 'Raksha': 'protection'}) Traceback (most recent call last): File "", line 1, in lawofthejungle(wolf='Leela', pack={'Akela': 'alone', 'Raksha': 'protection'}) File "", line 28, in lawofthejunglebeartyped beartype.roar.BeartypeCallTypeReturnException: @beartyped lawofthe_jungle() return value None not a .
Bad function. Let's conveniently resolve this by permitting this function to return either a tuple or
Noneas
detailed below__:
.. code-block:: python
from beartype.cave import NoneType @beartype ... def lawofthejungle(wolf: str, pack: dict) -> (tuple, NoneType): ... return (wolf, pack[wolf]) if wolf in pack else None lawofthejungle(wolf='Leela', pack={'Akela': 'alone', 'Raksha': 'protection'}) None
The
beartype.cavesubmodule publishes generic types suitable for use with the
@beartypedecorator and anywhere else you might need them. In this case, the type of the
Nonesingleton is imported from this submodule and listed in addition to
tupleas an allowed return type from this function.
Note that usage of the
beartype.cavesubmodule is entirely optional (but more efficient and convenient than most alternatives). In this case, the type of the
Nonesingleton can also be accessed directly as
type(None)and listed in place of
NoneTypeabove: e.g.,
.. code-block:: python
@beartype ... def lawofthejungle(wolf: str, pack: dict) -> (tuple, type(None)): ... return (wolf, pack[wolf]) if wolf in pack else None lawofthejungle(wolf='Leela', pack={'Akela': 'alone', 'Raksha': 'protection'}) None
Of course, the
beartype.cavesubmodule also publishes types not accessible directly like
RegexCompiledType(i.e., the type of all compiled regular expressions). All else being equal,
beartype.caveis preferable.
Good function! The type hints applied to this function now accurately document this function's API. All's well that ends typed well. Suck it,
Shere Khan_.
Everything above also extends to:
argparse.ArgumentParser) – all of which are also trivially type-checked by annotating parameters and return values with those types.
@beartypedecorator.
Let's declare a motley crew of beartyped callables doing various silly things in a strictly typed manner, just 'cause:
.. code-block:: python
from beartype import beartype from beartype.cave import GeneratorType, IterableType, NoneType
class MaximsOfBaloo(object): @beartype def init(self, sayings: IterableType): self.sayings = sayings
@beartype def inform_baloo(maxims: MaximsOfBaloo) -> GeneratorType: for saying in maxims.sayings: yield saying
For genericity, the
MaximsOfBalooclass initializer accepts any generic iterable (via the
beartype.cave.IterableTypetuple listing all valid iterable types) rather than an overly specific
listor
tupletype. Your users may thank you later.
For specificity, the
inform_baloogenerator function has been explicitly annotated to return a
beartype.cave.GeneratorType(i.e., the type returned by functions and methods containing at least one
yieldstatement). Type safety brings good fortune for the New Year.
Let's iterate over that generator with good types:
.. code-block:: python
maxims = MaximsOfBaloo(sayings={ ... '''If ye find that the Bullock can toss you, ... or the heavy-browed Sambhur can gore; ... Ye need not stop work to inform us: ... we knew it ten seasons before.''', ... '''“There is none like to me!” says the Cub ... in the pride of his earliest kill; ... But the jungle is large and the Cub he is small. ... Let him think and be still.''', ... }) for maxim in inform_baloo(maxims): print(maxim.splitlines()[-1]) Let him think and be still. we knew it ten seasons before.
Good generator. Let's call it again with bad types:
.. code-block:: python
for maxim in informbaloo([ ... 'Oppress not the cubs of the stranger,', ... ' but hail them as Sister and Brother,', ... ]): print(maxim.splitlines()[-1]) Traceback (most recent call last): File "", line 30, in ' but hail them as Sister and Brother,', File "", line 12, in _informbaloobeartyped__ beartype.roar.BeartypeCallTypeParamException: @beartyped informbaloo() parameter maxims=['Oppress not the cubs of the stranger,', ' but hail them as Sister and ...'] not a <class 'main_.MaximsOfBaloo'>.
Good generator! The type hints applied to these callables now accurately document their respective APIs. Thanks to the pernicious magic of beartype, all ends typed well... yet again.
That's all typed well, but everything above only applies to parameters and return values constrained to singular types. In practice, parameters and return values are often relaxed to any of multiple types referred to as unions of types. :sup:
You can thank set theory for the jargon... unless you hate set theory. Then it's just our fault.
Unions of types are trivially type-checked by annotating parameters and return values with the typing.Union_ type hint containing those types. Let's declare another beartyped function accepting either a mapping or a string and returning either another function or an integer:
.. code-block:: python
from beartype import beartype from collections.abc import Callable, Mapping from numbers import Integral from typing import Any, Union
@beartype def toomaiofthe_elephants(memory: Union[Integral, Mapping[Any, Any]]) -> ( Union[Integral, Callable[(Any,), Any]]): return memory if isinstance(memory, Integral) else lambda key: memory[key]
For genericity, the
toomai_of_the_elephantsfunction both accepts and returns any generic integer (via the standard
numbers.Integralabstract base class (ABC) matching both builtin integers and third-party integers from frameworks like NumPy_ and SymPy_) rather than an overly specific
inttype. The API you relax may very well be your own.
Let's call that function with good types:
.. code-block:: python
memoryofkalanag = { ... 'remember': 'I will remember what I was, I am sick of rope and chain—', ... 'strength': 'I will remember my old strength and all my forest affairs.', ... 'not sell': 'I will not sell my back to man for a bundle of sugar-cane:', ... 'own kind': 'I will go out to my own kind, and the wood-folk in their lairs.', ... 'morning': 'I will go out until the day, until the morning break—', ... 'caress': 'Out to the wind’s untainted kiss, the water’s clean caress;', ... 'forget': 'I will forget my ankle-ring and snap my picket stake.', ... 'revisit': 'I will revisit my lost loves, and playmates masterless!', ... } toomaioftheelephants(len(memoryofkalanag['remember'])) 56 toomaioftheelephants(memoryofkala_nag)('remember') 'I will remember what I was, I am sick of rope and chain—'
Good function. Let's call it again with a tastelessly bad type:
.. code-block:: python
toomaioftheelephants( ... 'Shiv, who poured the harvest and made the winds to blow,') BeartypeCallHintPepParamException: @beartyped toomaioftheelephants() parameter memory='Shiv, who poured the harvest and made the winds to blow,' violates type hint typing.Union[numbers.Integral, collections.abc.Mapping], as 'Shiv, who poured the harvest and made the winds to blow,' not or .
Good function! The type hints applied to this callable now accurately documents its API. All ends typed well... still again and again.
Optional Types ~~~~~~~~~~~~~~
That's also all typed well, but everything above only applies to mandatory parameters and return values whose types are never
NoneType. In practice, parameters and return values are often relaxed to optionally accept any of multiple types including
NoneTypereferred to as optional types.
Optional types are trivially type-checked by annotating optional parameters (parameters whose values default to
None) and optional return values (callables returning
Nonerather than raising exceptions in edge cases) with the
typing.Optionaltype hint indexed by those types.
Let's declare another beartyped function accepting either an enumeration type or
Noneand returning either an enumeration member or
None:
.. code-block:: python
from beartype import beartype from beartype.cave import EnumType, EnumMemberType from typing import Optional
@beartype def tellthedeepseaviceroys(story: Optional[EnumType] = None) -> ( Optional[EnumMemberType]): return story if story is None else list(story.members.values())[-1]
For efficiency, the
typing.Optionaltype hint creates, caches, and returns new tuples of types appending
NoneTypeto the original types it's indexed with. Since efficiency is good,
typing.Optionalis also good.
Let's call that function with good types:
.. code-block:: python
from enum import Enum class Lukannon(Enum): ... WINTERWHEAT = 'The Beaches of Lukannon—the winter wheat so tall—' ... SEAFOG = 'The dripping, crinkled lichens, and the sea-fog drenching all!' ... PLAYGROUND = 'The platforms of our playground, all shining smooth and worn!' ... HOME = 'The Beaches of Lukannon—the home where we were born!' ... MATES = 'I met my mates in the morning, a broken, scattered band.' ... CLUB = 'Men shoot us in the water and club us on the land;' ... DRIVE = 'Men drive us to the Salt House like silly sheep and tame,' ... SEALERS = 'And still we sing Lukannon—before the sealers came.' tellthedeepseaviceroys(Lukannon) tellthedeepseaviceroys() None
You may now be pondering to yourself grimly in the dark: "...but could we not already do this just by manually annotating optional types with
typing.Uniontype hints explicitly indexed by
NoneType?"
You would, of course, be correct. Let's grimly redeclare the same function accepting and returning the same types – only annotated with
NoneTyperather than
typing.Optional:
.. code-block:: python
from beartype import beartype from beartype.cave import EnumType, EnumMemberType, NoneType from typing import Union
@beartype def tellthedeepseaviceroys(story: Union[EnumType, NoneType] = None) -> ( Union[EnumMemberType, NoneType]): return list(story.members.values())[-1] if story is not None else None
Since
typing.Optionalinternally reduces to
typing.Union, these two approaches are semantically equivalent. The former is simply syntactic sugar simplifying the latter.
Whereas
typing.Unionaccepts an arbitrary number of child type hints, however,
typing.Optionalaccepts only a single child type hint. This can be circumvented by either indexing
typing.Optionalby
typing.Unionor indexing
typing.Unionby
NoneType. Let's exhibit the former approach by declaring another beartyped function accepting either an enumeration type, enumeration type member, or
Noneand returning either an enumeration type, enumeration type member, or
None:
.. code-block:: python
from beartype import beartype from beartype.cave import EnumType, EnumMemberType, NoneType from typing import Optional, Union
@beartype def sangthemupthebeach( woe: Optional[Union[EnumType, EnumMemberType]] = None) -> ( Optional[Union[EnumType, EnumMemberType]]): return woe if isinstance(woe, (EnumMemberType, NoneType)) else ( list(woe.members.values())[-1])
Let's call that function with good types:
.. code-block:: python
sangthemupthebeach(Lukannon) sangthemupthebeach() None
Behold! The terrifying power of the
typing.Optionaltype hint, resplendent in its highly over-optimized cache utilization.
Let's take a deep dive into the deep end of runtime type checking – the
beartypeway. In this subsection, we show code generated by the
@beartypedecorator in real-world use cases and tell why that code is the fastest possible code type-checking those cases.
We begin by wading into the torpid waters of the many ways
beartypeavoids doing any work whatsoever, because laziness is the virtue we live by. The reader may recall that the fastest decorator at decoration- and call-time is the identity decorator returning its decorated callable unmodified: e.g.,
.. code-block:: python
from collections.abc import Callable
def identity_decorator(func: Callable): -> Callable: return func
beartypesilently reduces to the identity decorator whenever it can, which is surprisingly often. Our three weapons are laziness, surprise, ruthless efficiency, and an almost fanatical devotion to constant-time type checking.
Unconditional Identity Decoration ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Let's define a trivial function annotated by no type hints:
.. code-block:: python
def lawofthejungle(strikefirstandthengivetongue): return strikefirstandthengive_tongue
Let's decorate that function by
@beartypeand verify that
@beartypereduced to the identity decorator by returning that function unmodified:
.. code-block:: python
from beartype import beartype beartype(lawofthejungle) is lawofthejungle True
We've verified that
@beartypereduces to the identity decorator when decorating unannotated callables. That's but the tip of the iceberg, though.
@beartypeunconditionally reduces to a noop when:
PEP 484-compliant `@typing.notypecheck` decorator.
@beartype.
Interpreter-wide optimization is enabled: e.g.,
CPython is invoked with the "-O" command-line option__.
The "PYTHONOPTIMIZE" environment variable is set__.
Shallow Identity Decoration ~~~~~~~~~~~~~~~~~~~~~~~~~~~
Let's define a trivial function annotated by the
PEP 484-compliant typing.Any type hint:
.. code-block:: python
from typing import Any
def lawofthejungle2(neverorderanythingwithoutareason: Any) -> Any: return neverorderanythingwithoutareason
Again, let's decorate that function by
@beartypeand verify that
@beartypereduced to the identity decorator by returning that function unmodified:
.. code-block:: python
from beartype import beartype beartype(lawofthejungle2) is lawofthejungle2 True
We've verified that
@beartypereduces to the identity decorator when decorating callables annotated by typing.Any_ – a novel category of type hint we refer to as shallowly ignorable type hints (known to be ignorable by constant-time lookup in a predefined frozen set). That's but the snout of the crocodile, though.
@beartypeconditionally reduces to a noop when all type hints annotating the decorated callable are shallowly ignorable. These include:
typing.Generic[typing.Any], which conveys no meaningful constraints as a type hint and is thus shallowly ignorable.
typing.Protocol[typing.Any]and shallowly ignorable for similar reasons.
typing.Union[typing.Any], equivalent to
Any.
typing.Optional[typing.Any], equivalent to
Union[Any, type(None)]. Since any union subscripted by ignorable type hints is itself ignorable, [#unionignorable]_ typing.Optional_ is shallowly ignorable as well.
.. [#union_ignorable] Unions are only as narrow as their widest subscripted argument. However, ignorable type hints are ignorable because they are maximally wide. Unions subscripted by ignorable arguments are thus the widest possible unions, conveying no meaningful constraints and thus themselves ignorable.
Deep Identity Decoration ~~~~~~~~~~~~~~~~~~~~~~~~
Let's define a trivial function annotated by a non-trivial
PEP 484-, `585 <PEP 585>
__- and593 `__-compliant type hint that superficially appears to convey meaningful constraints:
.. code-block:: python
from typing import Annotated, NewType, Union
hint = Union[str, list[int], NewType('MetaType', Annotated[object, 53])] def lawofthejungle3(bringthemtothepackcouncil: hint) -> hint: return bringthemtothepackcouncil
Despite appearances, it can be shown by exhaustive (and frankly exhausting) reduction that that hint is actually ignorable. Let's decorate that function by
@beartypeand verify that
@beartypereduced to the identity decorator by returning that function unmodified:
.. code-block:: python
from beartype import beartype beartype(lawofthejungle3) is lawofthejungle3 True
We've verified that
@beartypereduces to the identity decorator when decorating callables annotated by the above object – a novel category of type hint we refer to as deeply ignorable type hints (known to be ignorable only by recursive linear-time inspection of subscripted arguments). That's but the trunk of the elephant, though.
@beartypeconditionally reduces to a noop when all type hints annotating the decorated callable are deeply ignorable. These include:
We continue by trundling into the turbid waters out at sea, where
beartypereluctantly performs its minimal amount of work with a heavy sigh.
Constant Builtin Type Decoration ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Let's define a trivial function annotated by type hints that are builtin types:
.. code-block:: python
from beartype import beartype
@beartype def lawofthejungle4(hemustbespokenforbyatleasttwo: int): return hemustbespokenforbyatleasttwo
Let's see the wrapper function
@beartypedynamically generated from that:
.. code-block:: python
def beartypedlawofthejungle4( *args, _beartype_func=beartypefunc, _beartypistry=beartypistry, *kwargs ): # Localize the number of passed positional arguments for efficiency. _beartypeargs_len = len(args) # Localize this positional or keyword parameter if passed *OR to the # sentinel value "beartypistry" guaranteed to never be passed otherwise. _beartypepith0 = ( args[0] if _beartypeargslen > 0 else kwargs.get('hemustbespokenforbyatleasttwo', __beartypistry) )
# If this parameter was passed... if __beartype_pith_0 is not __beartypistry: # Type-check this passed parameter or return value against this # PEP-compliant type hint. if not isinstance(__beartype_pith_0, int): __beartype_raise_pep_call_exception( func=__beartype_func, pith_name='he_must_be_spoken_for_by_at_least_two', pith_value=__beartype_pith_0, )Call this function with all passed parameters and return the value
returned from this call.
return __beartype_func(*args, **kwargs)
Let's dismantle this bit by bit:
__beartyped_law_of_the_jungle_4()is the ad-hoc function name
@beartypeassigned this wrapper function.
__beartype_funcis the original
law_of_the_jungle_4()function.
__beartypistryis a thread-safe global registry of all types, tuples of types, and forward references to currently undeclared types visitable from type hints annotating callables decorated by
@beartype. We'll see more about the
__beartypistryin a moment. For know, just know that
__beartypistryis a private singleton of the
beartypepackage. This object is frequently accessed and thus localized to the body of this wrapper rather than accessed as a global variable, which would be mildly slower.
__beartype_pith_0is the value of the first passed parameter, regardless of whether that parameter is passed as a positional or keyword argument. If unpassed, the value defaults to the
__beartypistry. Since no caller should access (let alone pass) that object, that object serves as an efficient sentinel value enabling us to discern passed from unpassed parameters.
beartypeinternally favours the term "pith" (which we absolutely just made up) to transparently refer to the arbitrary object currently being type-checked against its associated type hint.
isinstance(__beartype_pith_0, int)tests whether the value passed for this parameter satisfies the type hint annotating this parameter.
__beartype_raise_pep_call_exception()raises a human-readable exception if this value fails this type-check.
So good so far. But that's easy. Let's delve deeper.
Constant Non-Builtin Type Decoration ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Let's define a trivial function annotated by type hints that are pure-Python classes rather than builtin types:
.. code-block:: python
from argparse import ArgumentParser from beartype import beartype
@beartype def lawofthejungle5(acubmaybeboughtataprice: ArgumentParser): return acubmaybeboughtataprice
Let's see the wrapper function
@beartypedynamically generated from that:
.. code-block:: python
def beartypedlawofthejungle5( *args, _beartype_func=beartypefunc, _beartypistry=beartypistry, *kwargs ): # Localize the number of passed positional arguments for efficiency. _beartypeargs_len = len(args) # Localize this positional or keyword parameter if passed *OR to the # sentinel value "beartypistry" guaranteed to never be passed otherwise. _beartypepith0 = ( args[0] if _beartypeargslen > 0 else kwargs.get('acubmaybeboughtataprice', _beartypistry) )
# If this parameter was passed... if __beartype_pith_0 is not __beartypistry: # Type-check this passed parameter or return value against this # PEP-compliant type hint. if not isinstance(__beartype_pith_0, __beartypistry['argparse.ArgumentParser']): __beartype_raise_pep_call_exception( func=__beartype_func, pith_name='a_cub_may_be_bought_at_a_price', pith_value=__beartype_pith_0, )Call this function with all passed parameters and return the value
returned from this call.
return __beartype_func(*args, **kwargs)
The result is largely the same. The only meaningful difference is the type-check on line 20:
.. code-block:: python
if not isinstance(__beartype_pith_0, __beartypistry['argparse.ArgumentParser']):
Since we annotated that function with a pure-Python class rather than builtin type,
@beartyperegistered that class with the
__beartypistryat decoration time and then subsequently looked that class up with its fully-qualified classname at call time to perform this type-check.
So good so far... so what! Let's spelunk harder.
Constant Shallow Sequence Decoration ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Let's define a trivial function annotated by type hints that are
PEP 585_-compliant builtin types subscripted by ignorable arguments:
.. code-block:: python
from beartype import beartype
@beartype def lawofthejungle6(allthejungleisthine: list[object]): return allthejungleisthine
Let's see the wrapper function
@beartypedynamically generated from that:
.. code-block:: python
def beartypedlawofthejungle6( *args, _beartype_func=beartypefunc, _beartypistry=beartypistry, *kwargs ): # Localize the number of passed positional arguments for efficiency. _beartypeargs_len = len(args) # Localize this positional or keyword parameter if passed *OR to the # sentinel value "beartypistry" guaranteed to never be passed otherwise. _beartypepith0 = ( args[0] if _beartypeargslen > 0 else kwargs.get('allthejungleisthine', __beartypistry) )
# If this parameter was passed... if __beartype_pith_0 is not __beartypistry: # Type-check this passed parameter or return value against this # PEP-compliant type hint. if not isinstance(__beartype_pith_0, list): __beartype_raise_pep_call_exception( func=__beartype_func, pith_name='all_the_jungle_is_thine', pith_value=__beartype_pith_0, )Call this function with all passed parameters and return the value
returned from this call.
return __beartype_func(*args, **kwargs)
We are still within the realm of normalcy. Correctly detecting this type hint to be subscripted by an ignorable argument,
@beartypeonly bothered type-checking this parameter to be an instance of this builtin type:
.. code-block:: python
if not isinstance(__beartype_pith_0, list):
It's time to iteratively up the ante.
Constant Deep Sequence Decoration ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Let's define a trivial function annotated by type hints that are
PEP 585_-compliant builtin types subscripted by builtin types:
.. code-block:: python
from beartype import beartype
@beartype def lawofthejungle7(killeverythingthatthoucanst: list[str]): return killeverythingthatthoucanst
Let's see the wrapper function
@beartypedynamically generated from that:
.. code-block:: python
def beartypedlawofthejungle7( *args, _beartype_func=beartypefunc, _beartypistry=beartypistry, *kwargs ): # Generate and localize a sufficiently large pseudo-random integer for # subsequent indexation in type-checking randomly selected container items. _beartyperandomint = _beartypegetrandbits(64) # Localize the number of passed positional arguments for efficiency. _beartypeargslen = len(args) # Localize this positional or keyword parameter if passed *OR to the # sentinel value "beartypistry" guaranteed to never be passed otherwise. _beartypepith0 = ( args[0] if _beartypeargslen > 0 else kwargs.get('killeverythingthatthoucanst', __beartypistry) )
# If this parameter was passed... if __beartype_pith_0 is not __beartypistry: # Type-check this passed parameter or return value against this # PEP-compliant type hint. if not ( # True only if this pith shallowly satisfies this hint. isinstance(__beartype_pith_0, list) and # True only if either this pith is empty *OR* this pith is # both non-empty and deeply satisfies this hint. (not __beartype_pith_0 or isinstance(__beartype_pith_0[__beartype_random_int % len(__beartype_pith_0)], str)) ): __beartype_raise_pep_call_exception( func=__beartype_func, pith_name='kill_everything_that_thou_canst', pith_value=__beartype_pith_0, )Call this function with all passed parameters and return the value
returned from this call.
return __beartype_func(*args, **kwargs)
We have now diverged from normalcy. Let's dismantle this iota by iota:
__beartype_random_intis a pseudo-random unsigned 32-bit integer whose bit length intentionally corresponds to the
number of bits generated by each call to Python's C-based Mersenne Twister__ internally performed by the random.getrandbits_ function generating this integer. Exceeding this length would cause that function to internally perform that call multiple times for no gain. Since the cost of generating integers to this length is the same as generating integers of smaller lengths, this length is preferred. Since most sequences are likely to contain fewer items than this integer, pseudo-random sequence items are indexable by taking the modulo of this integer with the sizes of those sequences. For big sequences containing more than this number of items,
beartypedeeply type-checks leading items with indices in this range while ignoring trailing items. Given the practical infeasibility of storing big sequences in memory, this seems an acceptable real-world tradeoff. Suck it, big sequences!
@beartypefirst type-checks this parameter to be a list.
@beartypethen type-checks this parameter to either be:
not __beartype_pith_0, an empty list.
isinstance(__beartype_pith_0[__beartype_random_int % len(__beartype_pith_0)], str), a non-empty list whose pseudo-randomly indexed list item satisfies this nested builtin type.
Well, that escalated quickly.
Constant Nested Deep Sequence Decoration ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Let's define a trivial function annotated by type hints that are
PEP 585_-compliant builtin types recursively subscripted by instances of themselves, because we are typing masochists:
.. code-block:: python
from beartype import beartype
@beartype def lawofthejungle8(pullthornsfromallwolvespaws: ( list[list[list[str]]])): return pullthornsfromallwolvespaws
Let's see the wrapper function
@beartypedynamically generated from that:
.. code-block:: python
def beartypedlawofthejungle8( *args, _beartype_func=beartypefunc, _beartypistry=beartypistry, *kwargs ): # Generate and localize a sufficiently large pseudo-random integer for # subsequent indexation in type-checking randomly selected container items. _beartyperandomint = _beartypegetrandbits(32) # Localize the number of passed positional arguments for efficiency. _beartypeargslen = len(args) # Localize this positional or keyword parameter if passed *OR to the # sentinel value "beartypistry" guaranteed to never be passed otherwise. _beartypepith0 = ( args[0] if _beartypeargslen > 0 else kwargs.get('pullthornsfromallwolvespaws', _beartypistry) )
# If this parameter was passed... if __beartype_pith_0 is not __beartypistry: # Type-check this passed parameter or return value against this # PEP-compliant type hint. if not ( # True only if this pith shallowly satisfies this hint. isinstance(__beartype_pith_0, list) and # True only if either this pith is empty *OR* this pith is # both non-empty and deeply satisfies this hint. (not __beartype_pith_0 or ( # True only if this pith shallowly satisfies this hint. isinstance(__beartype_pith_1 := __beartype_pith_0[__beartype_random_int % len(__beartype_pith_0)], list) and # True only if either this pith is empty *OR* this pith is # both non-empty and deeply satisfies this hint. (not __beartype_pith_1 or ( # True only if this pith shallowly satisfies this hint. isinstance(__beartype_pith_2 := __beartype_pith_1[__beartype_random_int % len(__beartype_pith_1)], list) and # True only if either this pith is empty *OR* this pith is # both non-empty and deeply satisfies this hint. (not __beartype_pith_2 or isinstance(__beartype_pith_2[__beartype_random_int % len(__beartype_pith_2)], str)) )) )) ): __beartype_raise_pep_call_exception( func=__beartype_func, pith_name='pull_thorns_from_all_wolves_paws', pith_value=__beartype_pith_0, )Call this function with all passed parameters and return the value
returned from this call.
return __beartype_func(*args, **kwargs)
We are now well beyond the deep end, where the benthic zone and the cruel denizens of the fathomless void begins. Let's dismantle this pascal by pascal:
__beartype_pith_1 := __beartype_pith_0[__beartype_random_int % len(__beartype_pith_0)], a
PEP 572_-style assignment expression localizing repeatedly accessed random items of the first nested list for efficiency.
__beartype_pith_2 := __beartype_pith_1[__beartype_random_int % len(__beartype_pith_1)], a similar expression localizing repeatedly accessed random items of the second nested list.
__beartype_random_intpseudo-randomly indexes all three lists.
PEP 572_ support,
@beartypegenerates equally valid (albeit less efficient) code repeating each nested list item access.
In the kingdom of the linear-time runtime type checkers, the constant-time runtime type checker really stands out like a sore giant squid, doesn't it?
See the Developers_ section for further commentary on runtime optimization from the higher-level perspective of architecture and internal API design.
Let's contribute
pull requests__ to
beartypefor the good of typing. The `primary maintainer of this repository is a friendly beardless Canadian guy <leycec>`__ who guarantees that he will always be nice and congenial and promptly merge all requests that pass continuous integration (CI) tests.
And thanks for merely reading this! Like all open-source software,
beartypethrives on community contributions, activity, and interest. This means you, stalwart Python hero.
beartypehas
two problem spots (listed below in order of decreasing importance and increasing complexity)__ that could always benefit from a volunteer army of good GitHub Samaritans.
Let's take this from the top.
GitHub user account__.
GitHub with that account__.
"beartype/beartype" repository page `__.
that appears.
{URL}with the previously copied URL.
.. code-block:: shell-session
git clone {URL}
.. code-block:: shell-session
git remote add upstream https://github.com/beartype/beartype.git
beartype. For
example, if you previously installed
beartypewith
pip, manually uninstall
beartypewith
pip.
.. code-block:: shell-session
pip uninstall beartype
beartypewith
pipin editable mode. This synchronizes
changes made to your fork against the
beartypepackage imported in Python. Note the
[dev]extra installs developer-specific mandatory dependencies required at test or documentation time.
.. code-block:: shell-session
pip3 install -e .[dev]
{branch_name}
with the desired name.
.. code-block:: shell-session
git checkout -b {branch_name}
Environment (IDE) `_. Of course, this means Vim.
major versions of both CPython and PyPy supported by the next stable release of beartype you are hacking on_. If this is not the case, install these versions with pyenv. This is vital, as type hinting support varies significantly between major versions of different Python interpreters.
.. code-block:: shell-session
./tox
The resulting output should ideally be suffixed by a synopsis resembling:
::
________________________________ summary _______________________________ py36: commands succeeded py37: commands succeeded py38: commands succeeded py39: commands succeeded pypy36: commands succeeded pypy37: commands succeeded congratulations :)
.. code-block:: shell-session
git add -a
.. code-block:: shell-session
git commit
.. code-block:: shell-session
git push
your fork page.
with
the "beartype/beartype" repository__.
.. code-block:: shell-session
git checkout main && git pull upstream main
So, you want to help
beartypedeeply type-check even more type hints than she already does? Let us help you help us, because you are awesome.
First, an egregious lore dump. It's commonly assumed that
beartypeonly internally implements a single type-checker. After all, every other static and runtime type-checker only internally implements a single type-checker. Why would a type-checker internally implement several divergent overlapping type-checkers and... what would that even mean? Who would be so vile, cruel, and sadistic as to do something like that?
We would.
beartypeoften violates assumptions. This is no exception. Externally, of course,
beartypepresents itself as a single type-checker. Internally,
beartypeis implemented as a two-phase series of orthogonal type-checkers. Why? Because efficiency, which is the reason we are all here. These type-checkers are (in the order that callables decorated by
beartypeperform them at runtime):
@beartypeonly tests whether all parameters passed to and values returned from the current call to that callable satisfy all type hints annotating that callable. This phase does not raise human-readable exceptions (in the event that one or more parameters or return values fails to satisfy these hints).
@beartypehighly optimizes this phase by dynamically generating one wrapper function wrapping each decorated callable with unique pure-Python performing these tests in O(1) constant-time. This phase is always unconditionally performed by code dynamically generated and returned by:
pep_code_check_hint()function declared in the
"beartype._decor._code._pep._pephint" submodule__, which generates memoized O(1) code type-checking an arbitrary object against an arbitrary PEP-compliant type hint by iterating over all child hints nested in that hint with a highly optimized breadth-first search (BFS) leveraging extreme caching, fragile cleverness, and other salacious micro-optimizations.
by
@beartypethat fails the fast first pass (due to one or more parameters or return values failing to satisfy these hints) recursively discovers the exact underlying cause of that failure and raises a human-readable exception precisely detailing that cause.
@beartypedoes not optimize this phase whatsoever. Whereas the implementation of the first phase is uniquely specific to each decorated callable and constrained to O(1) constant-time non-recursive operation, the implementation of the second phase is generically shared between all decorated callables and generalized to O(n) linear-time recursive operation. Efficiency no longer matters when you're raising exceptions. Exception handling is slow in any language and doubly slow in
dynamically-typed_ (and mostly interpreted) languages like Python, which means that performance is mostly a non-concern in "cold" code paths guaranteed to raise exceptions. This phase is only conditionally performed when the first phase fails by:
raise_pep_call_exception()function declared in the
"beartype._decor._code._pep._error.peperror" submodule__, which generates human-readable exceptions after performing unmemoized O(n) type-checking of an arbitrary object against a PEP-compliant type hint by recursing over all child hints nested in that hint with an unoptimized recursive algorithm prioritizing debuggability, readability, and maintainability.
This separation of concerns between performant O(1) testing on the one hand and perfect O(n) error handling on the other preserves both runtime performance and readable errors at a cost of developer pain. This is good! :sup:
...what?
Secondly, the same separation of concerns also complicates the development of
@beartype. This is bad. Since
@beartypeinternally implements two divergent type-checkers, deeply type-checking a new category of type hint requires adding that support to (wait for it) two divergent type-checkers – which, being fundamentally distinct codebases sharing little code in common, requires violating the
Don't Repeat Yourself (DRY) principle__ by reinventing the wheel in the second type-checker. Such is the high price of high-octane performance. You probably thought this would be easier and funner. So did we.
Thirdly, this needs to be tested. After surmounting the above roadblocks by deeply type-checking that new category of type hint in both type-checkers, you'll now add one or more unit tests exhaustively exercising that checking. Thankfully, we already did all of the swole lifting for you. All you need to do is add at least one PEP-compliant type hint, one object satisfying that hint, and one object not satisfying that hint to:
PepHintMetadataobject in the existing tuple passed to the
data_module.HINTS_PEP_META.extend(...)call in the existing test data submodule for this PEP residing under the
"beartype_test.unit.data.hint.pep.proposal" subpackage. For example, if this is a
PEP 484-compliant type hint, add that hint and associated metadata to the `"beartypetest.unit.data.hint.pep.proposal.datahintpep484" submodule <beartype test data pep 484>`.
You're done! Praise Guido.
So, you want to help
beartypecomply with even more
Python Enhancement Proposals (PEPs)__ than she already complies with? Let us help you help us, because you are young and idealistic and you mean well.
You will need a spare life to squander. A clone would be most handy. In short, you will want to at least:
"beartype._util.hint.pep.proposal" subpackage__ implementing general-purpose validators, testers, getters, and other ancillary utility functions required to detect and handle all type hints compliant with this PEP. For efficiency, utility functions performing iteration or other expensive operations should be memoized via our internal
@callable_cached_ decorator.
"beartype._util.hint.data.pep.proposal" subpackage__ adding various signs (i.e., arbitrary objects uniquely identifying type hints compliant with this PEP) to various global variables defined by the parent
"beartype._util.hint.data.pep.utilhintdatapep" submodule <_beartype util data pep parent>__.
"beartype_test.unit.data.hint.pep.proposal" subpackage__.
You're probably not done by a long shot! But the above should at least get you fitfully started, though long will you curse our names. Praise Cleese.
beartypeis
open-source software released__ under the
permissive MIT license__.
beartypeis currently financed as a purely volunteer open-source project – which is to say, it's unfinanced. Prior funding sources (yes, they once existed) include:
Paul Allen Discovery Center award_ from the `Paul G. Allen Frontiers
Group
_ under the administrative purview of thePaul Allen Discovery Center
_ atTufts University
_ over the period 2015—2018 preceding the untimely death ofMicrosoft co-founder Paul Allen
__, during which
beartype
was maintained as the private
@type_check
decorator in theBioelectric Tissue Simulation Engine (BETSE)
__. :superscript:Phew!`
beartypeis developed with the grateful assistance of a volunteer community of enthusiasts, including (in chronological order of issue or pull request):
Cecil Curry (@leycec)__. :superscript:
Hi! It's me.From
beartype's early gestation as a nondescript
@type_checkdecorator in the
Bioelectric Tissue Simulation Engine (BETSE)__ to its general-audience release as a
public package supported across multiple Python and platform-specific package managers_, I shepherd the fastest, hardest, and deepest runtime type-checking solution in any
dynamically-typedlanguage towards a well-typed future of PEP-compliance and boundless quality assurance. Cue epic taiko drumming.
Felix Hildén (@felix-hilden)__, the Finnish `computer
vision`_ expert world-renowned for his effulgent fun-loving disposition and:
Branding beartype with the Logo of the Decade__, say nine out of ten Finnish brown bears. "The other bears are just jelly," claims Hildén.
Documenting beartype with its first Sphinx-based directory structure__.
Configuring that structure for Read The Docs (RTD)-friendly rendering__.
@harens__, the boisterous London developer acclaimed for his
defense of British animals that quack pridefully as they peck you in city parks as well as
maintaining our first third-party package, a macOS-specific MacPorts Portfile estimated to solve all your problems__.
@Heliotrop3__, the `perennial flowering plant genus from
Peru `__ whose "primal drive for ruthless efficiency makes overcoming these opportunities for growth [and incoming world conquest] inevitable" as well as:
Improving quality assurance across internal caching data structures__.
External
beartyperesources include:
This list of all open-source PyPI-hosted dependents__ (i.e., projects requiring
beartypeas a mandatory runtime dependency), kindly provided by the
Libraries.io package registry__.
Runtime type checkers (i.e., third-party mostly pure-Python packages dynamically validating Python callable types at Python runtime, typically via decorators, explicit function calls, and import hooks) include:
.. # Note: intentionally sorted in lexicographic order to avoid bias.
beartype. :sup:
...sup.
Static type checkers (i.e., third-party tooling not implemented in Python statically validating Python callable and/or variable types across a full application stack at tool rather than Python runtime) include:
.. # Note: intentionally sorted in lexicographic order to avoid bias.
...yah.
.. # ------------------( IMAGES )------------------ .. |beartype-banner| image:: https://raw.githubusercontent.com/beartype/beartype-assets/main/banner/logo.png :target: https://beartype.rtfd.io :alt: beartype —[ the bare-metal type checker ]— .. |ci-badge| image:: https://github.com/beartype/beartype/workflows/test/badge.svg :target: https://github.com/beartype/beartype/actions?workflow=test :alt: beartype continuous integration (CI) status .. |rtd-badge| image:: https://readthedocs.org/projects/beartype/badge/?version=latest :target: https://beartype.readthedocs.io/en/latest/?badge=latest :alt: beartype Read The Docs (RTD) status
.. # ------------------( LINKS ~ beartype : funding )------------------ .. BETSE: https://gitlab.com/betse/betse .. _BETSEE: https://gitlab.com/betse/betsee .. _Paul Allen: https://en.wikipedia.org/wiki/PaulAllen .. _Paul Allen Discovery Center: http://www.alleninstitute.org/what-we-do/frontiers-group/discovery-centers/allen-discovery-center-tufts-university .. _Paul Allen Discovery Center award: https://www.alleninstitute.org/what-we-do/frontiers-group/news-press/press-resources/press-releases/paul-g-allen-frontiers-group-announces-allen-discovery-center-tufts-university .. _Paul G. Allen Frontiers Group: https://www.alleninstitute.org/what-we-do/frontiers-group .. _Tufts University: https://www.tufts.edu
.. # ------------------( LINKS ~ beartype : local )------------------ .. _beartype license: LICENSE
.. # ------------------( LINKS ~ beartype : local : module )------------------ .. beartype peperror: beartype/decor/code/pep/error/peperror.py .. _beartype pephint: beartype/decor/code/pep/pephint.py .. _beartype test data pep: beartypetest/unit/data/hint/pep/proposal/ .. beartype test data pep 484: beartypetest/unit/data/hint/pep/proposal/datahintpep484.py .. [email protected]cached: beartype/util/cache/utilcachecall.py .. _beartype util data pep: beartype/util/hint/data/pep/proposal/ .. beartype util data pep parent: beartype/util/hint/data/pep/utilhintdatapep.py .. beartype util pep: beartype/util/hint/pep/proposal
.. # ------------------( LINKS ~ beartype : package )------------------ .. _beartype Anaconda: https://anaconda.org/conda-forge/beartype .. _beartype Gentoo: https://github.com/leycec/raiagent .. _beartype Homebrew: https://github.com/beartype/homebrew-beartype .. _beartype MacPorts: https://ports.macports.org/port/py-beartype .. _beartype PyPI: https://pypi.org/project/beartype
.. # ------------------( LINKS ~ beartype : package : meta )------------------ .. _Libraries.io: https://libraries.io .. _beartype dependents: https://libraries.io/pypi/beartype/dependents
.. # ------------------( LINKS ~ beartype : remote )------------------ .. _beartype: https://github.com/beartype/beartype .. _beartype 1.0.0: https://github.com/beartype/beartype/issues/7 .. _beartype codebase: https://github.com/beartype/beartype/tree/main/beartype .. _beartype profiler: https://github.com/beartype/beartype/blob/main/bin/profile.bash .. _beartype pulls: https://github.com/beartype/beartype/pulls .. _beartype tests: https://github.com/beartype/beartype/actions?workflow=tests
.. # ------------------( LINKS ~ beartype : user )------------------ .. _Heliotrop3: https://github.com/Heliotrop3 .. _felix-hilden: https://github.com/felix-hilden .. _harens: https://github.com/harens .. _leycec: https://github.com/leycec
.. # ------------------( LINKS ~ beartype : user : PRs )------------------ .. _beartype Heliotrop3 caching QA: https://github.com/beartype/beartype/pull/15 .. _beartype felix-hilden branding: https://github.com/beartype/beartype/issues/8#issuecomment-760103474 .. _beartype felix-hilden docs structure: https://github.com/beartype/beartype/pull/8 .. _beartype felix-hilden docs RTD confs: https://github.com/beartype/beartype/pull/9 .. _beartype harens MacPorts: https://github.com/beartype/beartype/issues/12
.. # ------------------( LINKS ~ github )------------------ .. _GitHub Actions: https://github.com/features/actions .. _GitHub account signin: https://github.com/login .. _GitHub account signup: https://github.com/join
.. # ------------------( LINKS ~ idea )------------------ .. Denial-of-Service: https://en.wikipedia.org/wiki/Denial-of-serviceattack .. DRY: https://en.wikipedia.org/wiki/Don%27trepeatyourself .. _IDE: https://en.wikipedia.org/wiki/Integrateddevelopmentenvironment .. _JIT: https://en.wikipedia.org/wiki/Just-in-timecompilation .. SQA: https://en.wikipedia.org/wiki/Softwarequalityassurance .. _amortized analysis: https://en.wikipedia.org/wiki/Amortizedanalysis .. computer vision: https://en.wikipedia.org/wiki/Computervision .. continuous integration: https://en.wikipedia.org/wiki/Continuousintegration .. duck typing: https://en.wikipedia.org/wiki/Ducktyping .. gratis versus libre: https://en.wikipedia.org/wiki/Gratisversuslibre .. _memory safety: https://en.wikipedia.org/wiki/Memorysafety .. random walk: https://en.wikipedia.org/wiki/Randomwalk .. shield wall: https://en.wikipedia.org/wiki/Shieldwall .. dynamically-typed: .. _statically-typed: https://en.wikipedia.org/wiki/Typesystem .. _zero-cost abstraction: https://boats.gitlab.io/blog/post/zero-cost-abstractions
.. # ------------------( LINKS ~ kipling )------------------ .. The Jungle Book: https://www.gutenberg.org/files/236/236-h/236-h.htm .. _Shere Khan: https://en.wikipedia.org/wiki/ShereKhan
.. # ------------------( LINKS ~ math )------------------ .. Euler–Mascheroni constant: https://en.wikipedia.org/wiki/Euler%E2%80%93Mascheroniconstant .. coupon collector's problem: https://en.wikipedia.org/wiki/Couponcollector%27sproblem .. _covariance: https://en.wikipedia.org/wiki/Covarianceandcontravariance(computer_science)
.. # ------------------( LINKS ~ meme )------------------ .. _RNGesus: https://knowyourmeme.com/memes/rngesus .. _goes up to eleven: https://www.youtube.com/watch?v=uMSV4OteqBE .. _greased lightning: https://www.youtube.com/watch?v=H-kL8A4RNQ8 .. _ludicrous speed: https://www.youtube.com/watch?v=6tTvklMXeFE .. _the gripping hand: http://catb.org/jargon/html/O/on-the-gripping-hand.html
.. # ------------------( LINKS ~ os : linux )------------------ .. _Gentoo: https://www.gentoo.org
.. # ------------------( LINKS ~ os : macos )------------------ .. _macOS: https://en.wikipedia.org/wiki/MacOS .. _HomeBrew: https://brew.sh .. _MacPorts: https://www.macports.org
.. # ------------------( LINKS ~ other )------------------ .. _heliotrope: https://en.wikipedia.org/wiki/Heliotropium
.. # ------------------( LINKS ~ py )------------------ .. _Python: https://www.python.org .. _Python status: https://devguide.python.org/#status-of-python-branches .. _pip: https://pip.pypa.io
.. # ------------------( LINKS ~ py : article )------------------ .. Guido van Rossum: https://en.wikipedia.org/wiki/Guidovan_Rossum .. _RealPython: https://realpython.com/python-type-checking
.. # ------------------( LINKS ~ py : cli )------------------ .. _-O: https://docs.python.org/3/using/cmdline.html#cmdoption-o .. _PYTHONOPTIMIZE: https://docs.python.org/3/using/cmdline.html#envvar-PYTHONOPTIMIZE
.. # ------------------( LINKS ~ py : data model )------------------ .. generic alias parameters: https://docs.python.org/3/library/stdtypes.html#genericalias.parameters_ .. isinstancecheck: https://docs.python.org/3/reference/datamodel.html#customizing-instance-and-subclass-checks .. _mro: https://docs.python.org/3/library/stdtypes.html#class.mro_ .. _object: https://docs.python.org/3/reference/datamodel.html#basic-customization
.. # ------------------( LINKS ~ py : interpreter )------------------ .. _CPython: https://github.com/python/cpython .. _Nuitka: https://nuitka.net .. _Numba: https://numba.pydata.org .. _PyPy: https://www.pypy.org
.. # ------------------( LINKS ~ py : package )------------------ .. _Django: https://www.djangoproject.com .. _NetworkX: https://networkx.org .. _Pandas: https://pandas.pydata.org .. _PyTorch: https://pytorch.org .. _Sphinx: https://www.sphinx-doc.org/en/master .. _SymPy: https://www.sympy.org .. _pyenv: https://operatingops.org/2020/10/24/tox-testing-multiple-python-versions-with-pyenv
.. # ------------------( LINKS ~ py : package : numpy )------------------ .. NumPy: https://numpy.org .. _numpy.emptylike: https://numpy.org/doc/stable/reference/generated/numpy.empty_like.html
.. # ------------------( LINKS ~ py : package : test )------------------ .. _pytest: https://docs.pytest.org .. _tox: https://tox.readthedocs.io
.. # ------------------( LINKS ~ py : pep )------------------ .. _PEP 0: https://www.python.org/dev/peps .. _PEP 20: https://www.python.org/dev/peps/pep-0020 .. _PEP 483: https://www.python.org/dev/peps/pep-0483 .. _PEP 526: https://www.python.org/dev/peps/pep-0526 .. _PEP 544: https://www.python.org/dev/peps/pep-0544 .. _PEP 563: https://www.python.org/dev/peps/pep-0563 .. _PEP 570: https://www.python.org/dev/peps/pep-0570 .. _PEP 572: https://www.python.org/dev/peps/pep-0572 .. _PEP 585: https://www.python.org/dev/peps/pep-0585 .. _PEP 586: https://www.python.org/dev/peps/pep-0586 .. _PEP 589: https://www.python.org/dev/peps/pep-0589 .. _PEP 591: https://www.python.org/dev/peps/pep-0591 .. _PEP 593: https://www.python.org/dev/peps/pep-0593 .. _PEP 3141: https://www.python.org/dev/peps/pep-3141
.. # ------------------( LINKS ~ py : pep : 3119 )------------------ .. _PEP 3119: https://www.python.org/dev/peps/pep-3119 .. _virtual base classes: https://www.python.org/dev/peps/pep-3119/#id33
.. # ------------------( LINKS ~ py : pep : 484 )------------------ .. _PEP 484: https://www.python.org/dev/peps/pep-0484 .. _relative forward references: https://www.python.org/dev/peps/pep-0484/#id28
.. # ------------------( LINKS ~ py : pep : 560 )------------------ .. PEP 560: https://www.python.org/dev/peps/pep-0560 .. _mroentries: https://www.python.org/dev/peps/pep-0560/#id20
.. # ------------------( LINKS ~ py : service )------------------ .. _Anaconda: https://docs.conda.io/en/latest/miniconda.html .. _PyPI: https://pypi.org
.. # ------------------( LINKS ~ py : stdlib : abc )------------------ .. _abc: https://docs.python.org/3/library/abc.html .. _abc.ABCMeta: https://docs.python.org/3/library/abc.html#abc.ABCMeta
.. # ------------------( LINKS ~ py : stdlib : builtins )------------------ .. _builtins: https://docs.python.org/3/library/stdtypes.html .. _None: https://docs.python.org/3/library/constants.html#None .. _dict: https://docs.python.org/3/library/stdtypes.html#mapping-types-dict .. _dir: https://docs.python.org/3/library/functions.html#dir .. _frozenset: https://docs.python.org/3/library/stdtypes.html#set-types-set-frozenset .. _list: https://docs.python.org/3/library/stdtypes.html#lists .. _memoryview: https://docs.python.org/3/library/stdtypes.html#memory-views .. _range: https://docs.python.org/3/library/stdtypes.html#typesseq-range .. _set: https://docs.python.org/3/library/stdtypes.html#set-types-set-frozenset .. _tuple: https://docs.python.org/3/library/stdtypes.html#tuples .. _type: https://docs.python.org/3/library/stdtypes.html#bltin-type-objects
.. # ------------------( LINKS ~ py : stdlib : collections }------------------ .. _collections: https://docs.python.org/3/library/collections.html .. _collections.ChainMap: https://docs.python.org/3/library/collections.html#collections.ChainMap .. _collections.Counter: https://docs.python.org/3/library/collections.html#collections.Counter .. _collections.OrderedDict: https://docs.python.org/3/library/collections.html#collections.OrderedDict .. _collections.defaultdict: https://docs.python.org/3/library/collections.html#collections.defaultdict .. _collections.deque: https://docs.python.org/3/library/collections.html#collections.deque
.. # ------------------( LINKS ~ py : stdlib : collections.abc }--------------- .. _collections.abc: https://docs.python.org/3/library/collections.abc.html .. _collections.abc.AsyncGenerator: https://docs.python.org/3/library/collections.abc.html#collections.abc.AsyncGenerator .. _collections.abc.AsyncIterable: https://docs.python.org/3/library/collections.abc.html#collections.abc.AsyncIterable .. _collections.abc.AsyncIterator: https://docs.python.org/3/library/collections.abc.html#collections.abc.AsyncIterator .. _collections.abc.Awaitable: https://docs.python.org/3/library/collections.abc.html#collections.abc.Awaitable .. _collections.abc.ByteString: https://docs.python.org/3/library/collections.abc.html#collections.abc.ByteString .. _collections.abc.Callable: https://docs.python.org/3/library/collections.abc.html#collections.abc.Callable .. _collections.abc.Collection: https://docs.python.org/3/library/collections.abc.html#collections.abc.Collection .. _collections.abc.Container: https://docs.python.org/3/library/collections.abc.html#collections.abc.Container .. _collections.abc.Coroutine: https://docs.python.org/3/library/collections.abc.html#collections.abc.Coroutine .. _collections.abc.Generator: https://docs.python.org/3/library/collections.abc.html#collections.abc.Generator .. _collections.abc.ItemsView: https://docs.python.org/3/library/collections.abc.html#collections.abc.ItemsView .. _collections.abc.Iterable: https://docs.python.org/3/library/collections.abc.html#collections.abc.Iterable .. _collections.abc.Iterator: https://docs.python.org/3/library/collections.abc.html#collections.abc.Iterator .. _collections.abc.KeysView: https://docs.python.org/3/library/collections.abc.html#collections.abc.KeysView .. _collections.abc.Mapping: https://docs.python.org/3/library/collections.abc.html#collections.abc.Mapping .. _collections.abc.MappingView: https://docs.python.org/3/library/collections.abc.html#collections.abc.MappingView .. _collections.abc.MutableMapping: https://docs.python.org/3/library/collections.abc.html#collections.abc.MutableMapping .. _collections.abc.MutableSequence: https://docs.python.org/3/library/collections.abc.html#collections.abc.MutableSequence .. _collections.abc.MutableSet: https://docs.python.org/3/library/collections.abc.html#collections.abc.MutableSet .. _collections.abc.Reversible: https://docs.python.org/3/library/collections.abc.html#collections.abc.Reversible .. _collections.abc.Sequence: https://docs.python.org/3/library/collections.abc.html#collections.abc.Sequence .. _collections.abc.Set: https://docs.python.org/3/library/collections.abc.html#collections.abc.Set .. _collections.abc.ValuesView: https://docs.python.org/3/library/collections.abc.html#collections.abc.ValuesView
.. # ------------------( LINKS ~ py : stdlib : contextlib )------------------ .. _contextlib: https://docs.python.org/3/library/contextlib.html .. _contextlib.AbstractAsyncContextManager: https://docs.python.org/3/library/contextlib.html#contextlib.AbstractAsyncContextManager .. _contextlib.AbstractContextManager: https://docs.python.org/3/library/contextlib.html#contextlib.AbstractContextManager
.. # ------------------( LINKS ~ py : stdlib : io )------------------ .. _io: https://docs.python.org/3/library/io.html
.. # ------------------( LINKS ~ py : stdlib : os )------------------ .. _os: https://docs.python.org/3/library/os.html .. _os.walk: https://docs.python.org/3/library/os.html#os.walk
.. # ------------------( LINKS ~ py : stdlib : random )------------------ .. _random: https://docs.python.org/3/library/random.html .. _random.getrandbits: https://docs.python.org/3/library/random.html#random.getrandbits .. _random twister: https://stackoverflow.com/a/11704178/2809027
.. # ------------------( LINKS ~ py : stdlib : re )------------------ .. _re: https://docs.python.org/3/library/re.html .. _re.Match: https://docs.python.org/3/library/re.html#match-objects .. _re.Pattern: https://docs.python.org/3/library/re.html#regular-expression-objects
.. # ------------------( LINKS ~ py : stdlib : typing : attr)------------------ .. typing: https://docs.python.org/3/library/typing.html .. _typing.AbstractSet: https://docs.python.org/3/library/typing.html#typing.AbstractSet .. _typing.Annotated: https://docs.python.org/3/library/typing.html#typing.Annotated .. _typing.Any: https://docs.python.org/3/library/typing.html#typing.Any .. _typing.AnyStr: https://docs.python.org/3/library/typing.html#typing.AnyStr .. _typing.AsyncContextManager: https://docs.python.org/3/library/typing.html#typing.AsyncContextManager .. _typing.AsyncGenerator: https://docs.python.org/3/library/typing.html#typing.AsyncGenerator .. _typing.AsyncIterable: https://docs.python.org/3/library/typing.html#typing.AsyncIterable .. _typing.AsyncIterator: https://docs.python.org/3/library/typing.html#typing.AsyncIterator .. _typing.Awaitable: https://docs.python.org/3/library/typing.html#typing.Awaitable .. _typing.BinaryIO: https://docs.python.org/3/library/typing.html#typing.BinaryIO .. _typing.ByteString: https://docs.python.org/3/library/typing.html#typing.ByteString .. _typing.Callable: https://docs.python.org/3/library/typing.html#typing.Callable .. _typing.ChainMap: https://docs.python.org/3/library/typing.html#typing.ChainMap .. _typing.ClassVar: https://docs.python.org/3/library/typing.html#typing.ClassVar .. _typing.Collection: https://docs.python.org/3/library/typing.html#typing.Collection .. _typing.Container: https://docs.python.org/3/library/typing.html#typing.Container .. _typing.ContextManager: https://docs.python.org/3/library/typing.html#typing.ContextManager .. _typing.Coroutine: https://docs.python.org/3/library/typing.html#typing.Coroutine .. _typing.Counter: https://docs.python.org/3/library/typing.html#typing.Counter .. _typing.DefaultDict: https://docs.python.org/3/library/typing.html#typing.DefaultDict .. _typing.Deque: https://docs.python.org/3/library/typing.html#typing.Deque .. _typing.Dict: https://docs.python.org/3/library/typing.html#typing.Dict .. _typing.ForwardRef: https://docs.python.org/3/library/typing.html#typing.ForwardRef .. _typing.FrozenSet: https://docs.python.org/3/library/typing.html#typing.FrozenSet .. _typing.Generator: https://docs.python.org/3/library/typing.html#typing.Generator .. _typing.Generic: https://docs.python.org/3/library/typing.html#typing.Generic .. _typing.Hashable: https://docs.python.org/3/library/typing.html#typing.Hashable .. _typing.IO: https://docs.python.org/3/library/typing.html#typing.IO .. _typing.ItemsView: https://docs.python.org/3/library/typing.html#typing.ItemsView .. _typing.Iterable: https://docs.python.org/3/library/typing.html#typing.Iterable .. _typing.Iterator: https://docs.python.org/3/library/typing.html#typing.Iterator .. _typing.KeysView: https://docs.python.org/3/library/typing.html#typing.KeysView .. _typing.List: https://docs.python.org/3/library/typing.html#typing.List .. _typing.Literal: https://docs.python.org/3/library/typing.html#typing.Literal .. _typing.Mapping: https://docs.python.org/3/library/typing.html#typing.Mapping .. _typing.MappingView: https://docs.python.org/3/library/typing.html#typing.MappinViewg .. _typing.Match: https://docs.python.org/3/library/typing.html#typing.Match .. _typing.MutableMapping: https://docs.python.org/3/library/typing.html#typing.MutableMapping .. _typing.MutableSequence: https://docs.python.org/3/library/typing.html#typing.MutableSequence .. _typing.MutableSet: https://docs.python.org/3/library/typing.html#typing.MutableSet .. _typing.NamedTuple: https://docs.python.org/3/library/typing.html#typing.NamedTuple .. _typing.NewType: https://docs.python.org/3/library/typing.html#typing.NewType .. _typing.NoReturn: https://docs.python.org/3/library/typing.html#typing.NoReturn .. _typing.Optional: https://docs.python.org/3/library/typing.html#typing.Optional .. _typing.OrderedDict: https://docs.python.org/3/library/typing.html#typing.OrderedDict .. _typing.Pattern: https://docs.python.org/3/library/typing.html#typing.Pattern .. _typing.Protocol: https://docs.python.org/3/library/typing.html#typing.Protocol .. _typing.Reversible: https://docs.python.org/3/library/typing.html#typing.Reversible .. _typing.Sequence: https://docs.python.org/3/library/typing.html#typing.Sequence .. _typing.Set: https://docs.python.org/3/library/typing.html#typing.Set .. _typing.Sized: https://docs.python.org/3/library/typing.html#typing.Sized .. _typing.SupportsAbs: https://docs.python.org/3/library/typing.html#typing.SupportsAbs .. _typing.SupportsBytes: https://docs.python.org/3/library/typing.html#typing.SupportsBytes .. _typing.SupportsComplex: https://docs.python.org/3/library/typing.html#typing.SupportsComplex .. _typing.SupportsFloat: https://docs.python.org/3/library/typing.html#typing.SupportsFloat .. _typing.SupportsIndex: https://docs.python.org/3/library/typing.html#typing.SupportsIndex .. _typing.SupportsInt: https://docs.python.org/3/library/typing.html#typing.SupportsInt .. _typing.SupportsRound: https://docs.python.org/3/library/typing.html#typing.SupportsRound .. _typing.Text: https://docs.python.org/3/library/typing.html#typing.Text .. _typing.TextIO: https://docs.python.org/3/library/typing.html#typing.TextIO .. _typing.Tuple: https://docs.python.org/3/library/typing.html#typing.Tuple .. _typing.Type: https://docs.python.org/3/library/typing.html#typing.Type .. _typing.TypedDict: https://docs.python.org/3/library/typing.html#typing.TypedDict .. _typing.TypeVar: https://docs.python.org/3/library/typing.html#typing.TypeVar .. _typing.Union: https://docs.python.org/3/library/typing.html#typing.Union .. _typing.ValuesView: https://docs.python.org/3/library/typing.html#typing.ValuesView .. _typing.Final: https://docs.python.org/3/library/typing.html#typing.Final .. [email protected]: https://docs.python.org/3/library/typing.html#typing.final .. [email protected]typecheck: https://docs.python.org/3/library/typing.html#typing.notypecheck .. _typing.TYPECHECKING: https://docs.python.org/3/library/typing.html#typing.TYPE_CHECKING
.. # ------------------( LINKS ~ py : type : runtime )------------------ .. _enforce: https://github.com/RussBaz/enforce .. _pytypes: https://github.com/Stewori/pytypes .. _typeen: https://github.com/k2bd/typen .. _typeguard: https://github.com/agronholm/typeguard
.. # ------------------( LINKS ~ py : type : static )------------------ .. _Pyre: https://pyre-check.org .. _mypy: http://mypy-lang.org .. _pytype: https://github.com/google/pytype .. _pyright: https://github.com/Microsoft/pyright
.. # ------------------( LINKS ~ soft : ide )------------------ .. _Vim: https://www.vim.org
.. # ------------------( LINKS ~ soft : lang )------------------ .. C: https://en.wikipedia.org/wiki/C(programming_language) .. _C++: https://en.wikipedia.org/wiki/C%2B%2B .. _Ruby: https://www.ruby-lang.org .. _Rust: https://www.rust-lang.org
.. # ------------------( LINKS ~ soft : license )------------------ .. _MIT license: https://opensource.org/licenses/MIT
.. # ------------------( LINKS ~ soft : web )------------------ .. _React: https://reactjs.org