source: python/trunk/Doc/library/functools.rst

Last change on this file was 391, checked in by dmik, 11 years ago

python: Merge vendor 2.7.6 to trunk.

  • Property svn:eol-style set to native
File size: 7.1 KB
RevLine 
[391]1:mod:`functools` --- Higher-order functions and operations on callable objects
[2]2==============================================================================
3
4.. module:: functools
[391]5 :synopsis: Higher-order functions and operations on callable objects.
[2]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.. versionadded:: 2.5
12
[391]13**Source code:** :source:`Lib/functools.py`
14
15--------------
16
[2]17The :mod:`functools` module is for higher-order functions: functions that act on
18or return other functions. In general, any callable object can be treated as a
19function for the purposes of this module.
20
21The :mod:`functools` module defines the following functions:
22
[391]23.. function:: cmp_to_key(func)
[2]24
[391]25 Transform an old-style comparison function to a key function. Used with
26 tools that accept key functions (such as :func:`sorted`, :func:`min`,
27 :func:`max`, :func:`heapq.nlargest`, :func:`heapq.nsmallest`,
28 :func:`itertools.groupby`). This function is primarily used as a transition
29 tool for programs being converted to Python 3 where comparison functions are
30 no longer supported.
31
32 A comparison function is any callable that accept two arguments, compares them,
33 and returns a negative number for less-than, zero for equality, or a positive
34 number for greater-than. A key function is a callable that accepts one
35 argument and returns another value that indicates the position in the desired
36 collation sequence.
37
38 Example::
39
40 sorted(iterable, key=cmp_to_key(locale.strcoll)) # locale-aware sort order
41
42 .. versionadded:: 2.7
43
44.. function:: total_ordering(cls)
45
46 Given a class defining one or more rich comparison ordering methods, this
47 class decorator supplies the rest. This simplifies the effort involved
48 in specifying all of the possible rich comparison operations:
49
50 The class must define one of :meth:`__lt__`, :meth:`__le__`,
51 :meth:`__gt__`, or :meth:`__ge__`.
52 In addition, the class should supply an :meth:`__eq__` method.
53
54 For example::
55
56 @total_ordering
57 class Student:
58 def __eq__(self, other):
59 return ((self.lastname.lower(), self.firstname.lower()) ==
60 (other.lastname.lower(), other.firstname.lower()))
61 def __lt__(self, other):
62 return ((self.lastname.lower(), self.firstname.lower()) <
63 (other.lastname.lower(), other.firstname.lower()))
64
65 .. versionadded:: 2.7
66
[2]67.. function:: reduce(function, iterable[, initializer])
68
69 This is the same function as :func:`reduce`. It is made available in this module
70 to allow writing code more forward-compatible with Python 3.
71
72 .. versionadded:: 2.6
73
74
75.. function:: partial(func[,*args][, **keywords])
76
77 Return a new :class:`partial` object which when called will behave like *func*
78 called with the positional arguments *args* and keyword arguments *keywords*. If
79 more arguments are supplied to the call, they are appended to *args*. If
80 additional keyword arguments are supplied, they extend and override *keywords*.
81 Roughly equivalent to::
82
83 def partial(func, *args, **keywords):
84 def newfunc(*fargs, **fkeywords):
85 newkeywords = keywords.copy()
86 newkeywords.update(fkeywords)
87 return func(*(args + fargs), **newkeywords)
88 newfunc.func = func
89 newfunc.args = args
90 newfunc.keywords = keywords
91 return newfunc
92
93 The :func:`partial` is used for partial function application which "freezes"
94 some portion of a function's arguments and/or keywords resulting in a new object
95 with a simplified signature. For example, :func:`partial` can be used to create
96 a callable that behaves like the :func:`int` function where the *base* argument
97 defaults to two:
98
99 >>> from functools import partial
100 >>> basetwo = partial(int, base=2)
101 >>> basetwo.__doc__ = 'Convert base 2 string to an int.'
102 >>> basetwo('10010')
103 18
104
105
106.. function:: update_wrapper(wrapper, wrapped[, assigned][, updated])
107
108 Update a *wrapper* function to look like the *wrapped* function. The optional
109 arguments are tuples to specify which attributes of the original function are
110 assigned directly to the matching attributes on the wrapper function and which
111 attributes of the wrapper function are updated with the corresponding attributes
112 from the original function. The default values for these arguments are the
113 module level constants *WRAPPER_ASSIGNMENTS* (which assigns to the wrapper
114 function's *__name__*, *__module__* and *__doc__*, the documentation string) and
115 *WRAPPER_UPDATES* (which updates the wrapper function's *__dict__*, i.e. the
116 instance dictionary).
117
118 The main intended use for this function is in :term:`decorator` functions which
119 wrap the decorated function and return the wrapper. If the wrapper function is
120 not updated, the metadata of the returned function will reflect the wrapper
121 definition rather than the original function definition, which is typically less
122 than helpful.
123
124
125.. function:: wraps(wrapped[, assigned][, updated])
126
127 This is a convenience function for invoking ``partial(update_wrapper,
128 wrapped=wrapped, assigned=assigned, updated=updated)`` as a function decorator
129 when defining a wrapper function. For example:
130
131 >>> from functools import wraps
132 >>> def my_decorator(f):
133 ... @wraps(f)
134 ... def wrapper(*args, **kwds):
135 ... print 'Calling decorated function'
136 ... return f(*args, **kwds)
137 ... return wrapper
138 ...
139 >>> @my_decorator
140 ... def example():
141 ... """Docstring"""
142 ... print 'Called example function'
143 ...
144 >>> example()
145 Calling decorated function
146 Called example function
147 >>> example.__name__
148 'example'
149 >>> example.__doc__
150 'Docstring'
151
152 Without the use of this decorator factory, the name of the example function
153 would have been ``'wrapper'``, and the docstring of the original :func:`example`
154 would have been lost.
155
156
157.. _partial-objects:
158
159:class:`partial` Objects
160------------------------
161
162:class:`partial` objects are callable objects created by :func:`partial`. They
163have three read-only attributes:
164
165
166.. attribute:: partial.func
167
168 A callable object or function. Calls to the :class:`partial` object will be
169 forwarded to :attr:`func` with new arguments and keywords.
170
171
172.. attribute:: partial.args
173
174 The leftmost positional arguments that will be prepended to the positional
175 arguments provided to a :class:`partial` object call.
176
177
178.. attribute:: partial.keywords
179
180 The keyword arguments that will be supplied when the :class:`partial` object is
181 called.
182
183:class:`partial` objects are like :class:`function` objects in that they are
184callable, weak referencable, and can have attributes. There are some important
185differences. For instance, the :attr:`__name__` and :attr:`__doc__` attributes
186are not created automatically. Also, :class:`partial` objects defined in
187classes behave like static methods and do not transform into bound methods
188during instance attribute look-up.
189
Note: See TracBrowser for help on using the repository browser.