blob: 7129746f928d2c739c7f68ff9ac8331abdceb473 [file] [log] [blame]
Georg Brandl116aa622007-08-15 14:28:22 +00001:mod:`functools` --- Higher order functions and operations on callable objects
2==============================================================================
3
4.. module:: functools
5 :synopsis: Higher order functions and operations on callable objects.
6.. moduleauthor:: Peter Harris <scav@blueyonder.co.uk>
7.. moduleauthor:: Raymond Hettinger <python@rcn.com>
8.. moduleauthor:: Nick Coghlan <ncoghlan@gmail.com>
9.. sectionauthor:: Peter Harris <scav@blueyonder.co.uk>
10
11
Georg Brandl116aa622007-08-15 14:28:22 +000012The :mod:`functools` module is for higher-order functions: functions that act on
13or return other functions. In general, any callable object can be treated as a
14function for the purposes of this module.
15
Thomas Woutersed03b412007-08-28 21:37:11 +000016The :mod:`functools` module defines the following functions:
17
Raymond Hettingerc50846a2010-04-05 18:56:31 +000018.. function:: cmp_to_key(func)
19
Benjamin Petersoncca65312010-08-09 02:13:10 +000020 Transform an old-style comparison function to a key-function. Used with
21 tools that accept key functions (such as :func:`sorted`, :func:`min`,
22 :func:`max`, :func:`heapq.nlargest`, :func:`heapq.nsmallest`,
23 :func:`itertools.groupby`). This function is primarily used as a transition
24 tool for programs being converted from Py2.x which supported the use of
25 comparison functions.
Raymond Hettingerc50846a2010-04-05 18:56:31 +000026
Benjamin Petersoncca65312010-08-09 02:13:10 +000027 A compare function is any callable that accept two arguments, compares them,
28 and returns a negative number for less-than, zero for equality, or a positive
29 number for greater-than. A key function is a callable that accepts one
30 argument and returns another value that indicates the position in the desired
31 collation sequence.
Raymond Hettingerc50846a2010-04-05 18:56:31 +000032
Benjamin Petersoncca65312010-08-09 02:13:10 +000033 Example::
Raymond Hettingerc50846a2010-04-05 18:56:31 +000034
Benjamin Petersoncca65312010-08-09 02:13:10 +000035 sorted(iterable, key=cmp_to_key(locale.strcoll)) # locale-aware sort order
Raymond Hettingerc50846a2010-04-05 18:56:31 +000036
37 .. versionadded:: 3.2
38
Georg Brandl2e7346a2010-07-31 18:09:23 +000039.. decorator:: lru_cache(maxsize)
40
41 Decorator to wrap a function with a memoizing callable that saves up to the
42 *maxsize* most recent calls. It can save time when an expensive or I/O bound
43 function is periodically called with the same arguments.
44
45 The *maxsize* parameter defaults to 100. Since a dictionary is used to cache
46 results, the positional and keyword arguments to the function must be
47 hashable.
48
49 The wrapped function is instrumented with two attributes, :attr:`hits`
50 and :attr:`misses` which count the number of successful or unsuccessful
51 cache lookups. These statistics are helpful for tuning the *maxsize*
52 parameter and for measuring the cache's effectiveness.
53
54 The wrapped function also has a :attr:`clear` attribute which can be
55 called (with no arguments) to clear the cache.
56
Nick Coghlan98876832010-08-17 06:17:18 +000057 The :attr:`__wrapped__` attribute may be used to access the original
58 function (e.g. to bypass the cache or to apply a different caching
59 strategy)
60
Georg Brandl2e7346a2010-07-31 18:09:23 +000061 A `LRU (least recently used) cache
62 <http://en.wikipedia.org/wiki/Cache_algorithms#Least_Recently_Used>`_
63 is indicated when the pattern of calls changes over time, such as
Raymond Hettingerc8dc62d2010-08-02 00:59:14 +000064 when more recent calls are the best predictors of upcoming calls
65 (for example, the most popular articles on a news server tend to
66 change every day).
Georg Brandl2e7346a2010-07-31 18:09:23 +000067
68 .. versionadded:: 3.2
69
Georg Brandl8a1caa22010-07-29 16:01:11 +000070.. decorator:: total_ordering
Raymond Hettingerc50846a2010-04-05 18:56:31 +000071
72 Given a class defining one or more rich comparison ordering methods, this
Benjamin Peterson08bf91c2010-04-11 16:12:57 +000073 class decorator supplies the rest. This simplifies the effort involved
Raymond Hettingerc50846a2010-04-05 18:56:31 +000074 in specifying all of the possible rich comparison operations:
75
76 The class must define one of :meth:`__lt__`, :meth:`__le__`,
77 :meth:`__gt__`, or :meth:`__ge__`.
78 In addition, the class should supply an :meth:`__eq__` method.
79
80 For example::
81
82 @total_ordering
83 class Student:
84 def __eq__(self, other):
85 return ((self.lastname.lower(), self.firstname.lower()) ==
86 (other.lastname.lower(), other.firstname.lower()))
87 def __lt__(self, other):
88 return ((self.lastname.lower(), self.firstname.lower()) <
89 (other.lastname.lower(), other.firstname.lower()))
90
91 .. versionadded:: 3.2
92
Georg Brandl036490d2009-05-17 13:00:36 +000093.. function:: partial(func, *args, **keywords)
Georg Brandl116aa622007-08-15 14:28:22 +000094
95 Return a new :class:`partial` object which when called will behave like *func*
96 called with the positional arguments *args* and keyword arguments *keywords*. If
97 more arguments are supplied to the call, they are appended to *args*. If
98 additional keyword arguments are supplied, they extend and override *keywords*.
99 Roughly equivalent to::
100
101 def partial(func, *args, **keywords):
102 def newfunc(*fargs, **fkeywords):
103 newkeywords = keywords.copy()
104 newkeywords.update(fkeywords)
105 return func(*(args + fargs), **newkeywords)
106 newfunc.func = func
107 newfunc.args = args
108 newfunc.keywords = keywords
109 return newfunc
110
111 The :func:`partial` is used for partial function application which "freezes"
112 some portion of a function's arguments and/or keywords resulting in a new object
113 with a simplified signature. For example, :func:`partial` can be used to create
114 a callable that behaves like the :func:`int` function where the *base* argument
Christian Heimesfe337bf2008-03-23 21:54:12 +0000115 defaults to two:
Georg Brandl116aa622007-08-15 14:28:22 +0000116
Christian Heimesfe337bf2008-03-23 21:54:12 +0000117 >>> from functools import partial
Georg Brandl116aa622007-08-15 14:28:22 +0000118 >>> basetwo = partial(int, base=2)
119 >>> basetwo.__doc__ = 'Convert base 2 string to an int.'
120 >>> basetwo('10010')
121 18
122
123
Georg Brandl58f9e4f2008-04-19 22:18:33 +0000124.. function:: reduce(function, iterable[, initializer])
Georg Brandl116aa622007-08-15 14:28:22 +0000125
126 Apply *function* of two arguments cumulatively to the items of *sequence*, from
127 left to right, so as to reduce the sequence to a single value. For example,
128 ``reduce(lambda x, y: x+y, [1, 2, 3, 4, 5])`` calculates ``((((1+2)+3)+4)+5)``.
129 The left argument, *x*, is the accumulated value and the right argument, *y*, is
130 the update value from the *sequence*. If the optional *initializer* is present,
131 it is placed before the items of the sequence in the calculation, and serves as
132 a default when the sequence is empty. If *initializer* is not given and
133 *sequence* contains only one item, the first item is returned.
134
135
Georg Brandl036490d2009-05-17 13:00:36 +0000136.. function:: update_wrapper(wrapper, wrapped, assigned=WRAPPER_ASSIGNMENTS, updated=WRAPPER_UPDATES)
Georg Brandl116aa622007-08-15 14:28:22 +0000137
138 Update a *wrapper* function to look like the *wrapped* function. The optional
139 arguments are tuples to specify which attributes of the original function are
140 assigned directly to the matching attributes on the wrapper function and which
141 attributes of the wrapper function are updated with the corresponding attributes
142 from the original function. The default values for these arguments are the
143 module level constants *WRAPPER_ASSIGNMENTS* (which assigns to the wrapper
Antoine Pitrou560f7642010-08-04 18:28:02 +0000144 function's *__name__*, *__module__*, *__annotations__* and *__doc__*, the
145 documentation string) and *WRAPPER_UPDATES* (which updates the wrapper
146 function's *__dict__*, i.e. the instance dictionary).
Georg Brandl116aa622007-08-15 14:28:22 +0000147
Nick Coghlan98876832010-08-17 06:17:18 +0000148 To allow access to the original function for introspection and other purposes
149 (e.g. bypassing a caching decorator such as :func:`lru_cache`), this function
150 automatically adds a __wrapped__ attribute to the the wrapped that refers to
151 the original function.
152
Christian Heimesd8654cf2007-12-02 15:22:16 +0000153 The main intended use for this function is in :term:`decorator` functions which
154 wrap the decorated function and return the wrapper. If the wrapper function is
155 not updated, the metadata of the returned function will reflect the wrapper
Georg Brandl116aa622007-08-15 14:28:22 +0000156 definition rather than the original function definition, which is typically less
157 than helpful.
158
Nick Coghlan98876832010-08-17 06:17:18 +0000159 :func:`update_wrapper` may be used with callables other than functions. Any
160 attributes named in *assigned* or *updated* that are missing from the object
161 being wrapped are ignored (i.e. this function will not attempt to set them
162 on the wrapper function). :exc:`AttributeError` is still raised if the
163 wrapper function itself is missing any attributes named in *updated*.
164
165 .. versionadded:: 3.2
Georg Brandl9e257012010-08-17 14:11:59 +0000166 Automatic addition of the ``__wrapped__`` attribute.
Nick Coghlan98876832010-08-17 06:17:18 +0000167
168 .. versionadded:: 3.2
Georg Brandl9e257012010-08-17 14:11:59 +0000169 Copying of the ``__annotations__`` attribute by default.
Nick Coghlan98876832010-08-17 06:17:18 +0000170
171 .. versionchanged:: 3.2
Georg Brandl9e257012010-08-17 14:11:59 +0000172 Missing attributes no longer trigger an :exc:`AttributeError`.
173
Georg Brandl116aa622007-08-15 14:28:22 +0000174
Georg Brandl8a1caa22010-07-29 16:01:11 +0000175.. decorator:: wraps(wrapped, assigned=WRAPPER_ASSIGNMENTS, updated=WRAPPER_UPDATES)
Georg Brandl116aa622007-08-15 14:28:22 +0000176
177 This is a convenience function for invoking ``partial(update_wrapper,
178 wrapped=wrapped, assigned=assigned, updated=updated)`` as a function decorator
Christian Heimesfe337bf2008-03-23 21:54:12 +0000179 when defining a wrapper function. For example:
Georg Brandl116aa622007-08-15 14:28:22 +0000180
Christian Heimesfe337bf2008-03-23 21:54:12 +0000181 >>> from functools import wraps
Georg Brandl116aa622007-08-15 14:28:22 +0000182 >>> def my_decorator(f):
183 ... @wraps(f)
184 ... def wrapper(*args, **kwds):
Georg Brandl6911e3c2007-09-04 07:15:32 +0000185 ... print('Calling decorated function')
Georg Brandl116aa622007-08-15 14:28:22 +0000186 ... return f(*args, **kwds)
187 ... return wrapper
188 ...
189 >>> @my_decorator
190 ... def example():
191 ... """Docstring"""
Georg Brandl6911e3c2007-09-04 07:15:32 +0000192 ... print('Called example function')
Georg Brandl116aa622007-08-15 14:28:22 +0000193 ...
194 >>> example()
195 Calling decorated function
196 Called example function
197 >>> example.__name__
198 'example'
199 >>> example.__doc__
200 'Docstring'
201
202 Without the use of this decorator factory, the name of the example function
203 would have been ``'wrapper'``, and the docstring of the original :func:`example`
204 would have been lost.
205
206
207.. _partial-objects:
208
209:class:`partial` Objects
210------------------------
211
212:class:`partial` objects are callable objects created by :func:`partial`. They
213have three read-only attributes:
214
215
216.. attribute:: partial.func
217
218 A callable object or function. Calls to the :class:`partial` object will be
219 forwarded to :attr:`func` with new arguments and keywords.
220
221
222.. attribute:: partial.args
223
224 The leftmost positional arguments that will be prepended to the positional
225 arguments provided to a :class:`partial` object call.
226
227
228.. attribute:: partial.keywords
229
230 The keyword arguments that will be supplied when the :class:`partial` object is
231 called.
232
233:class:`partial` objects are like :class:`function` objects in that they are
234callable, weak referencable, and can have attributes. There are some important
235differences. For instance, the :attr:`__name__` and :attr:`__doc__` attributes
236are not created automatically. Also, :class:`partial` objects defined in
237classes behave like static methods and do not transform into bound methods
238during instance attribute look-up.
239