-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathno_async.py
89 lines (72 loc) · 2.74 KB
/
no_async.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
# SPDX-License-Identifier: 0BSD
# Copyright 2019 Alexander Kozhevnikov <[email protected]>
"""The classic ``compose``, with all the Pythonic features."""
__all__ = ('compose',)
__version__ = '1.6.2'
try:
from reprlib import recursive_repr as _recursive_repr
_recursive_repr_if_available = _recursive_repr('<...>')
except ImportError:
def _recursive_repr_if_available(function):
return function
def _name(obj):
return type(obj).__name__
class compose(object):
"""Function composition: compose(f, g)(...) is equivalent to f(g(...))."""
def __init__(self, *functions):
"""Initialize the composed function.
Arguments:
*functions: Functions (or other callables) to compose.
Raises:
TypeError:
If no arguments are given.
If any argument is not callable.
"""
if not functions:
raise TypeError(_name(self) + '() needs at least one argument')
_functions = []
for function in reversed(functions):
if not callable(function):
raise TypeError(_name(self) + '() arguments must be callable')
if isinstance(function, compose):
_functions.extend(function.functions)
else:
_functions.append(function)
self.__wrapped__ = _functions[0]
self._wrappers = tuple(_functions[1:])
def __call__(*args, **kwargs):
"""Call the composed function."""
def __call__(self, *args):
return self, args
self, args = __call__(*args)
result = self.__wrapped__(*args, **kwargs)
for function in self._wrappers:
result = function(result)
return result
def __get__(self, obj, objtype=None):
"""Get the composed function as a bound method."""
wrapped = self.__wrapped__
try:
bind = type(wrapped).__get__
except AttributeError:
return self
bound_wrapped = bind(wrapped, obj, objtype)
if bound_wrapped is wrapped:
return self
bound_self = type(self)(bound_wrapped)
bound_self._wrappers = self._wrappers
return bound_self
@_recursive_repr_if_available
def __repr__(self):
"""Represent the composed function as an unambiguous string."""
arguments = ', '.join(map(repr, reversed(self.functions)))
return _name(self) + '(' + arguments + ')'
@property
def functions(self):
"""Read-only tuple of the composed callables, in order of execution."""
return (self.__wrapped__,) + tuple(self._wrappers)
# Portability to some minimal Python implementations:
try:
compose.__name__
except AttributeError:
compose.__name__ = 'compose'