blob: 515bdd060a198cd5e04d67940bc153c79bd51b6b [file] [log] [blame]
Andrew Svetlov7ea6f702012-10-31 11:29:52 +02001
Michael Foord944e02d2012-03-25 23:12:55 +01002:mod:`unittest.mock` --- mock object library
3============================================
4
5.. module:: unittest.mock
6 :synopsis: Mock object library.
Terry Jan Reedyfa089b92016-06-11 15:02:54 -04007
Michael Foord944e02d2012-03-25 23:12:55 +01008.. moduleauthor:: Michael Foord <michael@python.org>
9.. currentmodule:: unittest.mock
10
11.. versionadded:: 3.3
12
Terry Jan Reedyfa089b92016-06-11 15:02:54 -040013**Source code:** :source:`Lib/unittest/mock.py`
14
15--------------
16
Michael Foord944e02d2012-03-25 23:12:55 +010017:mod:`unittest.mock` is a library for testing in Python. It allows you to
18replace parts of your system under test with mock objects and make assertions
19about how they have been used.
20
Georg Brandl7ad3df62014-10-31 07:59:37 +010021:mod:`unittest.mock` provides a core :class:`Mock` class removing the need to
Michael Foord944e02d2012-03-25 23:12:55 +010022create a host of stubs throughout your test suite. After performing an
23action, you can make assertions about which methods / attributes were used
24and arguments they were called with. You can also specify return values and
25set needed attributes in the normal way.
26
27Additionally, mock provides a :func:`patch` decorator that handles patching
28module and class level attributes within the scope of a test, along with
29:const:`sentinel` for creating unique objects. See the `quick guide`_ for
30some examples of how to use :class:`Mock`, :class:`MagicMock` and
31:func:`patch`.
32
33Mock is very easy to use and is designed for use with :mod:`unittest`. Mock
Georg Brandl7ad3df62014-10-31 07:59:37 +010034is based on the 'action -> assertion' pattern instead of 'record -> replay'
Michael Foord944e02d2012-03-25 23:12:55 +010035used by many mocking frameworks.
36
Georg Brandl7ad3df62014-10-31 07:59:37 +010037There is a backport of :mod:`unittest.mock` for earlier versions of Python,
Stéphane Wirtel19177fb2018-05-15 20:58:35 +020038available as `mock on PyPI <https://pypi.org/project/mock>`_.
Michael Foord944e02d2012-03-25 23:12:55 +010039
Michael Foord944e02d2012-03-25 23:12:55 +010040
41Quick Guide
42-----------
43
Stéphane Wirtel859c0682018-10-12 09:51:05 +020044.. testsetup::
45
46 class ProductionClass:
47 def method(self, a, b, c):
48 pass
49
50 class SomeClass:
51 @staticmethod
52 def static_method(args):
53 return args
54
55 @classmethod
56 def class_method(cls, args):
57 return args
58
59
Michael Foord944e02d2012-03-25 23:12:55 +010060:class:`Mock` and :class:`MagicMock` objects create all attributes and
61methods as you access them and store details of how they have been used. You
62can configure them, to specify return values or limit what attributes are
63available, and then make assertions about how they have been used:
64
65 >>> from unittest.mock import MagicMock
66 >>> thing = ProductionClass()
67 >>> thing.method = MagicMock(return_value=3)
68 >>> thing.method(3, 4, 5, key='value')
69 3
70 >>> thing.method.assert_called_with(3, 4, 5, key='value')
71
72:attr:`side_effect` allows you to perform side effects, including raising an
73exception when a mock is called:
74
75 >>> mock = Mock(side_effect=KeyError('foo'))
76 >>> mock()
77 Traceback (most recent call last):
78 ...
79 KeyError: 'foo'
80
81 >>> values = {'a': 1, 'b': 2, 'c': 3}
82 >>> def side_effect(arg):
83 ... return values[arg]
84 ...
85 >>> mock.side_effect = side_effect
86 >>> mock('a'), mock('b'), mock('c')
87 (1, 2, 3)
88 >>> mock.side_effect = [5, 4, 3, 2, 1]
89 >>> mock(), mock(), mock()
90 (5, 4, 3)
91
92Mock has many other ways you can configure it and control its behaviour. For
Georg Brandl7ad3df62014-10-31 07:59:37 +010093example the *spec* argument configures the mock to take its specification
Michael Foord944e02d2012-03-25 23:12:55 +010094from another object. Attempting to access attributes or methods on the mock
Georg Brandl7ad3df62014-10-31 07:59:37 +010095that don't exist on the spec will fail with an :exc:`AttributeError`.
Michael Foord944e02d2012-03-25 23:12:55 +010096
97The :func:`patch` decorator / context manager makes it easy to mock classes or
98objects in a module under test. The object you specify will be replaced with a
Stéphane Wirtel859c0682018-10-12 09:51:05 +020099mock (or other object) during the test and restored when the test ends::
Michael Foord944e02d2012-03-25 23:12:55 +0100100
101 >>> from unittest.mock import patch
102 >>> @patch('module.ClassName2')
103 ... @patch('module.ClassName1')
104 ... def test(MockClass1, MockClass2):
105 ... module.ClassName1()
106 ... module.ClassName2()
Michael Foord944e02d2012-03-25 23:12:55 +0100107 ... assert MockClass1 is module.ClassName1
108 ... assert MockClass2 is module.ClassName2
109 ... assert MockClass1.called
110 ... assert MockClass2.called
111 ...
112 >>> test()
113
114.. note::
115
116 When you nest patch decorators the mocks are passed in to the decorated
Andrés Delfino271818f2018-09-14 14:13:09 -0300117 function in the same order they applied (the normal *Python* order that
Michael Foord944e02d2012-03-25 23:12:55 +0100118 decorators are applied). This means from the bottom up, so in the example
Georg Brandl7ad3df62014-10-31 07:59:37 +0100119 above the mock for ``module.ClassName1`` is passed in first.
Michael Foord944e02d2012-03-25 23:12:55 +0100120
Georg Brandl7ad3df62014-10-31 07:59:37 +0100121 With :func:`patch` it matters that you patch objects in the namespace where they
Michael Foord944e02d2012-03-25 23:12:55 +0100122 are looked up. This is normally straightforward, but for a quick guide
123 read :ref:`where to patch <where-to-patch>`.
124
Georg Brandl7ad3df62014-10-31 07:59:37 +0100125As well as a decorator :func:`patch` can be used as a context manager in a with
Michael Foord944e02d2012-03-25 23:12:55 +0100126statement:
127
128 >>> with patch.object(ProductionClass, 'method', return_value=None) as mock_method:
129 ... thing = ProductionClass()
130 ... thing.method(1, 2, 3)
131 ...
132 >>> mock_method.assert_called_once_with(1, 2, 3)
133
134
135There is also :func:`patch.dict` for setting values in a dictionary just
136during a scope and restoring the dictionary to its original state when the test
137ends:
138
139 >>> foo = {'key': 'value'}
140 >>> original = foo.copy()
141 >>> with patch.dict(foo, {'newkey': 'newvalue'}, clear=True):
142 ... assert foo == {'newkey': 'newvalue'}
143 ...
144 >>> assert foo == original
145
146Mock supports the mocking of Python :ref:`magic methods <magic-methods>`. The
147easiest way of using magic methods is with the :class:`MagicMock` class. It
148allows you to do things like:
149
150 >>> mock = MagicMock()
151 >>> mock.__str__.return_value = 'foobarbaz'
152 >>> str(mock)
153 'foobarbaz'
154 >>> mock.__str__.assert_called_with()
155
156Mock allows you to assign functions (or other Mock instances) to magic methods
Georg Brandl7ad3df62014-10-31 07:59:37 +0100157and they will be called appropriately. The :class:`MagicMock` class is just a Mock
Michael Foord944e02d2012-03-25 23:12:55 +0100158variant that has all of the magic methods pre-created for you (well, all the
159useful ones anyway).
160
161The following is an example of using magic methods with the ordinary Mock
162class:
163
164 >>> mock = Mock()
165 >>> mock.__str__ = Mock(return_value='wheeeeee')
166 >>> str(mock)
167 'wheeeeee'
168
169For ensuring that the mock objects in your tests have the same api as the
170objects they are replacing, you can use :ref:`auto-speccing <auto-speccing>`.
Georg Brandl7ad3df62014-10-31 07:59:37 +0100171Auto-speccing can be done through the *autospec* argument to patch, or the
Michael Foord944e02d2012-03-25 23:12:55 +0100172:func:`create_autospec` function. Auto-speccing creates mock objects that
173have the same attributes and methods as the objects they are replacing, and
174any functions and methods (including constructors) have the same call
175signature as the real object.
176
177This ensures that your mocks will fail in the same way as your production
178code if they are used incorrectly:
179
180 >>> from unittest.mock import create_autospec
181 >>> def function(a, b, c):
182 ... pass
183 ...
184 >>> mock_function = create_autospec(function, return_value='fishy')
185 >>> mock_function(1, 2, 3)
186 'fishy'
187 >>> mock_function.assert_called_once_with(1, 2, 3)
188 >>> mock_function('wrong arguments')
189 Traceback (most recent call last):
190 ...
191 TypeError: <lambda>() takes exactly 3 arguments (1 given)
192
Georg Brandl7ad3df62014-10-31 07:59:37 +0100193:func:`create_autospec` can also be used on classes, where it copies the signature of
194the ``__init__`` method, and on callable objects where it copies the signature of
195the ``__call__`` method.
Michael Foord944e02d2012-03-25 23:12:55 +0100196
197
198
199The Mock Class
200--------------
201
Stéphane Wirtel859c0682018-10-12 09:51:05 +0200202.. testsetup::
203
Lisa Roach77b3b772019-05-20 09:19:53 -0700204 import asyncio
205 import inspect
Stéphane Wirtel859c0682018-10-12 09:51:05 +0200206 import unittest
207 from unittest.mock import sentinel, DEFAULT, ANY
Lisa Roach77b3b772019-05-20 09:19:53 -0700208 from unittest.mock import patch, call, Mock, MagicMock, PropertyMock, AsyncMock
Stéphane Wirtel859c0682018-10-12 09:51:05 +0200209 from unittest.mock import mock_open
Michael Foord944e02d2012-03-25 23:12:55 +0100210
Georg Brandl7ad3df62014-10-31 07:59:37 +0100211:class:`Mock` is a flexible mock object intended to replace the use of stubs and
Michael Foord944e02d2012-03-25 23:12:55 +0100212test doubles throughout your code. Mocks are callable and create attributes as
213new mocks when you access them [#]_. Accessing the same attribute will always
214return the same mock. Mocks record how you use them, allowing you to make
215assertions about what your code has done to them.
216
Georg Brandl7ad3df62014-10-31 07:59:37 +0100217:class:`MagicMock` is a subclass of :class:`Mock` with all the magic methods
Michael Foord944e02d2012-03-25 23:12:55 +0100218pre-created and ready to use. There are also non-callable variants, useful
219when you are mocking out objects that aren't callable:
220:class:`NonCallableMock` and :class:`NonCallableMagicMock`
221
222The :func:`patch` decorators makes it easy to temporarily replace classes
Georg Brandl7ad3df62014-10-31 07:59:37 +0100223in a particular module with a :class:`Mock` object. By default :func:`patch` will create
224a :class:`MagicMock` for you. You can specify an alternative class of :class:`Mock` using
225the *new_callable* argument to :func:`patch`.
Michael Foord944e02d2012-03-25 23:12:55 +0100226
227
Kushal Das8c145342014-04-16 23:32:21 +0530228.. class:: Mock(spec=None, side_effect=None, return_value=DEFAULT, wraps=None, name=None, spec_set=None, unsafe=False, **kwargs)
Michael Foord944e02d2012-03-25 23:12:55 +0100229
Georg Brandl7ad3df62014-10-31 07:59:37 +0100230 Create a new :class:`Mock` object. :class:`Mock` takes several optional arguments
Michael Foord944e02d2012-03-25 23:12:55 +0100231 that specify the behaviour of the Mock object:
232
Georg Brandl7ad3df62014-10-31 07:59:37 +0100233 * *spec*: This can be either a list of strings or an existing object (a
Michael Foord944e02d2012-03-25 23:12:55 +0100234 class or instance) that acts as the specification for the mock object. If
235 you pass in an object then a list of strings is formed by calling dir on
236 the object (excluding unsupported magic attributes and methods).
Georg Brandl7ad3df62014-10-31 07:59:37 +0100237 Accessing any attribute not in this list will raise an :exc:`AttributeError`.
Michael Foord944e02d2012-03-25 23:12:55 +0100238
Georg Brandl7ad3df62014-10-31 07:59:37 +0100239 If *spec* is an object (rather than a list of strings) then
Serhiy Storchakabfdcd432013-10-13 23:09:14 +0300240 :attr:`~instance.__class__` returns the class of the spec object. This
Georg Brandl7ad3df62014-10-31 07:59:37 +0100241 allows mocks to pass :func:`isinstance` tests.
Michael Foord944e02d2012-03-25 23:12:55 +0100242
Georg Brandl7ad3df62014-10-31 07:59:37 +0100243 * *spec_set*: A stricter variant of *spec*. If used, attempting to *set*
Michael Foord944e02d2012-03-25 23:12:55 +0100244 or get an attribute on the mock that isn't on the object passed as
Georg Brandl7ad3df62014-10-31 07:59:37 +0100245 *spec_set* will raise an :exc:`AttributeError`.
Michael Foord944e02d2012-03-25 23:12:55 +0100246
Georg Brandl7ad3df62014-10-31 07:59:37 +0100247 * *side_effect*: A function to be called whenever the Mock is called. See
Michael Foord944e02d2012-03-25 23:12:55 +0100248 the :attr:`~Mock.side_effect` attribute. Useful for raising exceptions or
249 dynamically changing return values. The function is called with the same
250 arguments as the mock, and unless it returns :data:`DEFAULT`, the return
251 value of this function is used as the return value.
252
Georg Brandl7ad3df62014-10-31 07:59:37 +0100253 Alternatively *side_effect* can be an exception class or instance. In
Michael Foord944e02d2012-03-25 23:12:55 +0100254 this case the exception will be raised when the mock is called.
255
Georg Brandl7ad3df62014-10-31 07:59:37 +0100256 If *side_effect* is an iterable then each call to the mock will return
Michael Foord944e02d2012-03-25 23:12:55 +0100257 the next value from the iterable.
258
Georg Brandl7ad3df62014-10-31 07:59:37 +0100259 A *side_effect* can be cleared by setting it to ``None``.
Michael Foord944e02d2012-03-25 23:12:55 +0100260
Georg Brandl7ad3df62014-10-31 07:59:37 +0100261 * *return_value*: The value returned when the mock is called. By default
Michael Foord944e02d2012-03-25 23:12:55 +0100262 this is a new Mock (created on first access). See the
263 :attr:`return_value` attribute.
264
Georg Brandl7ad3df62014-10-31 07:59:37 +0100265 * *unsafe*: By default if any attribute starts with *assert* or
266 *assret* will raise an :exc:`AttributeError`. Passing ``unsafe=True``
267 will allow access to these attributes.
Kushal Das8c145342014-04-16 23:32:21 +0530268
269 .. versionadded:: 3.5
270
Serhiy Storchakaecf41da2016-10-19 16:29:26 +0300271 * *wraps*: Item for the mock object to wrap. If *wraps* is not ``None`` then
Michael Foord944e02d2012-03-25 23:12:55 +0100272 calling the Mock will pass the call through to the wrapped object
Michael Foord0682a0c2012-04-13 20:51:20 +0100273 (returning the real result). Attribute access on the mock will return a
274 Mock object that wraps the corresponding attribute of the wrapped
275 object (so attempting to access an attribute that doesn't exist will
Georg Brandl7ad3df62014-10-31 07:59:37 +0100276 raise an :exc:`AttributeError`).
Michael Foord944e02d2012-03-25 23:12:55 +0100277
Georg Brandl7ad3df62014-10-31 07:59:37 +0100278 If the mock has an explicit *return_value* set then calls are not passed
279 to the wrapped object and the *return_value* is returned instead.
Michael Foord944e02d2012-03-25 23:12:55 +0100280
Georg Brandl7ad3df62014-10-31 07:59:37 +0100281 * *name*: If the mock has a name then it will be used in the repr of the
Michael Foord944e02d2012-03-25 23:12:55 +0100282 mock. This can be useful for debugging. The name is propagated to child
283 mocks.
284
285 Mocks can also be called with arbitrary keyword arguments. These will be
286 used to set attributes on the mock after it is created. See the
287 :meth:`configure_mock` method for details.
288
Ismail Sf9590ed2019-08-12 07:57:03 +0100289 .. method:: assert_called()
Victor Stinner2c2a4e62016-03-11 22:17:48 +0100290
291 Assert that the mock was called at least once.
292
293 >>> mock = Mock()
294 >>> mock.method()
295 <Mock name='mock.method()' id='...'>
296 >>> mock.method.assert_called()
297
298 .. versionadded:: 3.6
299
Ismail Sf9590ed2019-08-12 07:57:03 +0100300 .. method:: assert_called_once()
Victor Stinner2c2a4e62016-03-11 22:17:48 +0100301
302 Assert that the mock was called exactly once.
303
304 >>> mock = Mock()
305 >>> mock.method()
306 <Mock name='mock.method()' id='...'>
307 >>> mock.method.assert_called_once()
308 >>> mock.method()
309 <Mock name='mock.method()' id='...'>
310 >>> mock.method.assert_called_once()
311 Traceback (most recent call last):
312 ...
313 AssertionError: Expected 'method' to have been called once. Called 2 times.
314
315 .. versionadded:: 3.6
316
Michael Foord944e02d2012-03-25 23:12:55 +0100317
318 .. method:: assert_called_with(*args, **kwargs)
319
Rémi Lapeyref5896a02019-08-29 08:15:53 +0200320 This method is a convenient way of asserting that the last call has been
321 made in a particular way:
Michael Foord944e02d2012-03-25 23:12:55 +0100322
323 >>> mock = Mock()
324 >>> mock.method(1, 2, 3, test='wow')
325 <Mock name='mock.method()' id='...'>
326 >>> mock.method.assert_called_with(1, 2, 3, test='wow')
327
Michael Foord944e02d2012-03-25 23:12:55 +0100328 .. method:: assert_called_once_with(*args, **kwargs)
329
Arne de Laat324c5d82017-02-23 15:57:25 +0100330 Assert that the mock was called exactly once and that that call was
331 with the specified arguments.
Michael Foord944e02d2012-03-25 23:12:55 +0100332
333 >>> mock = Mock(return_value=None)
334 >>> mock('foo', bar='baz')
335 >>> mock.assert_called_once_with('foo', bar='baz')
Arne de Laat324c5d82017-02-23 15:57:25 +0100336 >>> mock('other', bar='values')
337 >>> mock.assert_called_once_with('other', bar='values')
Michael Foord944e02d2012-03-25 23:12:55 +0100338 Traceback (most recent call last):
339 ...
Michael Foord28d591c2012-09-28 16:15:22 +0100340 AssertionError: Expected 'mock' to be called once. Called 2 times.
Michael Foord944e02d2012-03-25 23:12:55 +0100341
342
343 .. method:: assert_any_call(*args, **kwargs)
344
345 assert the mock has been called with the specified arguments.
346
347 The assert passes if the mock has *ever* been called, unlike
348 :meth:`assert_called_with` and :meth:`assert_called_once_with` that
Arne de Laat324c5d82017-02-23 15:57:25 +0100349 only pass if the call is the most recent one, and in the case of
350 :meth:`assert_called_once_with` it must also be the only call.
Michael Foord944e02d2012-03-25 23:12:55 +0100351
352 >>> mock = Mock(return_value=None)
353 >>> mock(1, 2, arg='thing')
354 >>> mock('some', 'thing', 'else')
355 >>> mock.assert_any_call(1, 2, arg='thing')
356
357
358 .. method:: assert_has_calls(calls, any_order=False)
359
360 assert the mock has been called with the specified calls.
Georg Brandl7ad3df62014-10-31 07:59:37 +0100361 The :attr:`mock_calls` list is checked for the calls.
Michael Foord944e02d2012-03-25 23:12:55 +0100362
Serhiy Storchaka138ccbb2019-11-12 16:57:03 +0200363 If *any_order* is false then the calls must be
Michael Foord944e02d2012-03-25 23:12:55 +0100364 sequential. There can be extra calls before or after the
365 specified calls.
366
Georg Brandl7ad3df62014-10-31 07:59:37 +0100367 If *any_order* is true then the calls can be in any order, but
Michael Foord944e02d2012-03-25 23:12:55 +0100368 they must all appear in :attr:`mock_calls`.
369
370 >>> mock = Mock(return_value=None)
371 >>> mock(1)
372 >>> mock(2)
373 >>> mock(3)
374 >>> mock(4)
375 >>> calls = [call(2), call(3)]
376 >>> mock.assert_has_calls(calls)
377 >>> calls = [call(4), call(2), call(3)]
378 >>> mock.assert_has_calls(calls, any_order=True)
379
Berker Peksagebf9fd32016-07-17 15:26:46 +0300380 .. method:: assert_not_called()
Kushal Das8af9db32014-04-17 01:36:14 +0530381
382 Assert the mock was never called.
383
384 >>> m = Mock()
385 >>> m.hello.assert_not_called()
386 >>> obj = m.hello()
387 >>> m.hello.assert_not_called()
388 Traceback (most recent call last):
389 ...
390 AssertionError: Expected 'hello' to not have been called. Called 1 times.
391
392 .. versionadded:: 3.5
393
Michael Foord944e02d2012-03-25 23:12:55 +0100394
Kushal Das9cd39a12016-06-02 10:20:16 -0700395 .. method:: reset_mock(*, return_value=False, side_effect=False)
Michael Foord944e02d2012-03-25 23:12:55 +0100396
397 The reset_mock method resets all the call attributes on a mock object:
398
399 >>> mock = Mock(return_value=None)
400 >>> mock('hello')
401 >>> mock.called
402 True
403 >>> mock.reset_mock()
404 >>> mock.called
405 False
406
Kushal Das9cd39a12016-06-02 10:20:16 -0700407 .. versionchanged:: 3.6
408 Added two keyword only argument to the reset_mock function.
409
Michael Foord944e02d2012-03-25 23:12:55 +0100410 This can be useful where you want to make a series of assertions that
Georg Brandl7ad3df62014-10-31 07:59:37 +0100411 reuse the same object. Note that :meth:`reset_mock` *doesn't* clear the
Michael Foord944e02d2012-03-25 23:12:55 +0100412 return value, :attr:`side_effect` or any child attributes you have
Kushal Das9cd39a12016-06-02 10:20:16 -0700413 set using normal assignment by default. In case you want to reset
414 *return_value* or :attr:`side_effect`, then pass the corresponding
415 parameter as ``True``. Child mocks and the return value mock
Michael Foord944e02d2012-03-25 23:12:55 +0100416 (if any) are reset as well.
417
Kushal Das9cd39a12016-06-02 10:20:16 -0700418 .. note:: *return_value*, and :attr:`side_effect` are keyword only
419 argument.
420
Michael Foord944e02d2012-03-25 23:12:55 +0100421
422 .. method:: mock_add_spec(spec, spec_set=False)
423
Georg Brandl7ad3df62014-10-31 07:59:37 +0100424 Add a spec to a mock. *spec* can either be an object or a
425 list of strings. Only attributes on the *spec* can be fetched as
Michael Foord944e02d2012-03-25 23:12:55 +0100426 attributes from the mock.
427
Georg Brandl7ad3df62014-10-31 07:59:37 +0100428 If *spec_set* is true then only attributes on the spec can be set.
Michael Foord944e02d2012-03-25 23:12:55 +0100429
430
431 .. method:: attach_mock(mock, attribute)
432
433 Attach a mock as an attribute of this one, replacing its name and
434 parent. Calls to the attached mock will be recorded in the
435 :attr:`method_calls` and :attr:`mock_calls` attributes of this one.
436
437
438 .. method:: configure_mock(**kwargs)
439
440 Set attributes on the mock through keyword arguments.
441
442 Attributes plus return values and side effects can be set on child
443 mocks using standard dot notation and unpacking a dictionary in the
444 method call:
445
446 >>> mock = Mock()
447 >>> attrs = {'method.return_value': 3, 'other.side_effect': KeyError}
448 >>> mock.configure_mock(**attrs)
449 >>> mock.method()
450 3
451 >>> mock.other()
452 Traceback (most recent call last):
453 ...
454 KeyError
455
456 The same thing can be achieved in the constructor call to mocks:
457
458 >>> attrs = {'method.return_value': 3, 'other.side_effect': KeyError}
459 >>> mock = Mock(some_attribute='eggs', **attrs)
460 >>> mock.some_attribute
461 'eggs'
462 >>> mock.method()
463 3
464 >>> mock.other()
465 Traceback (most recent call last):
466 ...
467 KeyError
468
Georg Brandl7ad3df62014-10-31 07:59:37 +0100469 :meth:`configure_mock` exists to make it easier to do configuration
Michael Foord944e02d2012-03-25 23:12:55 +0100470 after the mock has been created.
471
472
473 .. method:: __dir__()
474
Georg Brandl7ad3df62014-10-31 07:59:37 +0100475 :class:`Mock` objects limit the results of ``dir(some_mock)`` to useful results.
476 For mocks with a *spec* this includes all the permitted attributes
Michael Foord944e02d2012-03-25 23:12:55 +0100477 for the mock.
478
479 See :data:`FILTER_DIR` for what this filtering does, and how to
480 switch it off.
481
482
483 .. method:: _get_child_mock(**kw)
484
485 Create the child mocks for attributes and return value.
486 By default child mocks will be the same type as the parent.
487 Subclasses of Mock may want to override this to customize the way
488 child mocks are made.
489
490 For non-callable mocks the callable variant will be used (rather than
491 any custom subclass).
492
493
494 .. attribute:: called
495
496 A boolean representing whether or not the mock object has been called:
497
498 >>> mock = Mock(return_value=None)
499 >>> mock.called
500 False
501 >>> mock()
502 >>> mock.called
503 True
504
505 .. attribute:: call_count
506
507 An integer telling you how many times the mock object has been called:
508
509 >>> mock = Mock(return_value=None)
510 >>> mock.call_count
511 0
512 >>> mock()
513 >>> mock()
514 >>> mock.call_count
515 2
516
Michael Foord944e02d2012-03-25 23:12:55 +0100517 .. attribute:: return_value
518
519 Set this to configure the value returned by calling the mock:
520
521 >>> mock = Mock()
522 >>> mock.return_value = 'fish'
523 >>> mock()
524 'fish'
525
526 The default return value is a mock object and you can configure it in
527 the normal way:
528
529 >>> mock = Mock()
530 >>> mock.return_value.attribute = sentinel.Attribute
531 >>> mock.return_value()
532 <Mock name='mock()()' id='...'>
533 >>> mock.return_value.assert_called_with()
534
Georg Brandl7ad3df62014-10-31 07:59:37 +0100535 :attr:`return_value` can also be set in the constructor:
Michael Foord944e02d2012-03-25 23:12:55 +0100536
537 >>> mock = Mock(return_value=3)
538 >>> mock.return_value
539 3
540 >>> mock()
541 3
542
543
544 .. attribute:: side_effect
545
546 This can either be a function to be called when the mock is called,
Georg Brandl8ed75cd2014-10-31 10:25:48 +0100547 an iterable or an exception (class or instance) to be raised.
Michael Foord944e02d2012-03-25 23:12:55 +0100548
549 If you pass in a function it will be called with same arguments as the
550 mock and unless the function returns the :data:`DEFAULT` singleton the
551 call to the mock will then return whatever the function returns. If the
552 function returns :data:`DEFAULT` then the mock will return its normal
Brett Cannon533f1ed2013-05-25 11:28:20 -0400553 value (from the :attr:`return_value`).
Michael Foord944e02d2012-03-25 23:12:55 +0100554
Georg Brandl8ed75cd2014-10-31 10:25:48 +0100555 If you pass in an iterable, it is used to retrieve an iterator which
556 must yield a value on every call. This value can either be an exception
557 instance to be raised, or a value to be returned from the call to the
558 mock (:data:`DEFAULT` handling is identical to the function case).
559
Michael Foord944e02d2012-03-25 23:12:55 +0100560 An example of a mock that raises an exception (to test exception
561 handling of an API):
562
563 >>> mock = Mock()
564 >>> mock.side_effect = Exception('Boom!')
565 >>> mock()
566 Traceback (most recent call last):
567 ...
568 Exception: Boom!
569
Georg Brandl7ad3df62014-10-31 07:59:37 +0100570 Using :attr:`side_effect` to return a sequence of values:
Michael Foord944e02d2012-03-25 23:12:55 +0100571
572 >>> mock = Mock()
573 >>> mock.side_effect = [3, 2, 1]
574 >>> mock(), mock(), mock()
575 (3, 2, 1)
576
Georg Brandl8ed75cd2014-10-31 10:25:48 +0100577 Using a callable:
Michael Foord944e02d2012-03-25 23:12:55 +0100578
579 >>> mock = Mock(return_value=3)
580 >>> def side_effect(*args, **kwargs):
581 ... return DEFAULT
582 ...
583 >>> mock.side_effect = side_effect
584 >>> mock()
585 3
586
Georg Brandl7ad3df62014-10-31 07:59:37 +0100587 :attr:`side_effect` can be set in the constructor. Here's an example that
Michael Foord944e02d2012-03-25 23:12:55 +0100588 adds one to the value the mock is called with and returns it:
589
590 >>> side_effect = lambda value: value + 1
591 >>> mock = Mock(side_effect=side_effect)
592 >>> mock(3)
593 4
594 >>> mock(-8)
595 -7
596
Georg Brandl7ad3df62014-10-31 07:59:37 +0100597 Setting :attr:`side_effect` to ``None`` clears it:
Michael Foord944e02d2012-03-25 23:12:55 +0100598
599 >>> m = Mock(side_effect=KeyError, return_value=3)
600 >>> m()
601 Traceback (most recent call last):
602 ...
603 KeyError
604 >>> m.side_effect = None
605 >>> m()
606 3
607
608
609 .. attribute:: call_args
610
Georg Brandl7ad3df62014-10-31 07:59:37 +0100611 This is either ``None`` (if the mock hasn't been called), or the
Michael Foord944e02d2012-03-25 23:12:55 +0100612 arguments that the mock was last called with. This will be in the
Kumar Akshayb0df45e2019-03-22 13:40:40 +0530613 form of a tuple: the first member, which can also be accessed through
614 the ``args`` property, is any ordered arguments the mock was
615 called with (or an empty tuple) and the second member, which can
616 also be accessed through the ``kwargs`` property, is any keyword
617 arguments (or an empty dictionary).
Michael Foord944e02d2012-03-25 23:12:55 +0100618
619 >>> mock = Mock(return_value=None)
Berker Peksag920f6db2015-09-10 21:41:15 +0300620 >>> print(mock.call_args)
Michael Foord944e02d2012-03-25 23:12:55 +0100621 None
622 >>> mock()
623 >>> mock.call_args
624 call()
625 >>> mock.call_args == ()
626 True
627 >>> mock(3, 4)
628 >>> mock.call_args
629 call(3, 4)
630 >>> mock.call_args == ((3, 4),)
631 True
Kumar Akshayb0df45e2019-03-22 13:40:40 +0530632 >>> mock.call_args.args
633 (3, 4)
634 >>> mock.call_args.kwargs
635 {}
Michael Foord944e02d2012-03-25 23:12:55 +0100636 >>> mock(3, 4, 5, key='fish', next='w00t!')
637 >>> mock.call_args
638 call(3, 4, 5, key='fish', next='w00t!')
Kumar Akshayb0df45e2019-03-22 13:40:40 +0530639 >>> mock.call_args.args
640 (3, 4, 5)
641 >>> mock.call_args.kwargs
642 {'key': 'fish', 'next': 'w00t!'}
Michael Foord944e02d2012-03-25 23:12:55 +0100643
Georg Brandl7ad3df62014-10-31 07:59:37 +0100644 :attr:`call_args`, along with members of the lists :attr:`call_args_list`,
Michael Foord944e02d2012-03-25 23:12:55 +0100645 :attr:`method_calls` and :attr:`mock_calls` are :data:`call` objects.
646 These are tuples, so they can be unpacked to get at the individual
647 arguments and make more complex assertions. See
648 :ref:`calls as tuples <calls-as-tuples>`.
649
650
651 .. attribute:: call_args_list
652
653 This is a list of all the calls made to the mock object in sequence
654 (so the length of the list is the number of times it has been
655 called). Before any calls have been made it is an empty list. The
656 :data:`call` object can be used for conveniently constructing lists of
Georg Brandl7ad3df62014-10-31 07:59:37 +0100657 calls to compare with :attr:`call_args_list`.
Michael Foord944e02d2012-03-25 23:12:55 +0100658
659 >>> mock = Mock(return_value=None)
660 >>> mock()
661 >>> mock(3, 4)
662 >>> mock(key='fish', next='w00t!')
663 >>> mock.call_args_list
664 [call(), call(3, 4), call(key='fish', next='w00t!')]
665 >>> expected = [(), ((3, 4),), ({'key': 'fish', 'next': 'w00t!'},)]
666 >>> mock.call_args_list == expected
667 True
668
Georg Brandl7ad3df62014-10-31 07:59:37 +0100669 Members of :attr:`call_args_list` are :data:`call` objects. These can be
Michael Foord944e02d2012-03-25 23:12:55 +0100670 unpacked as tuples to get at the individual arguments. See
671 :ref:`calls as tuples <calls-as-tuples>`.
672
673
674 .. attribute:: method_calls
675
676 As well as tracking calls to themselves, mocks also track calls to
677 methods and attributes, and *their* methods and attributes:
678
679 >>> mock = Mock()
680 >>> mock.method()
681 <Mock name='mock.method()' id='...'>
682 >>> mock.property.method.attribute()
683 <Mock name='mock.property.method.attribute()' id='...'>
684 >>> mock.method_calls
685 [call.method(), call.property.method.attribute()]
686
Georg Brandl7ad3df62014-10-31 07:59:37 +0100687 Members of :attr:`method_calls` are :data:`call` objects. These can be
Michael Foord944e02d2012-03-25 23:12:55 +0100688 unpacked as tuples to get at the individual arguments. See
689 :ref:`calls as tuples <calls-as-tuples>`.
690
691
692 .. attribute:: mock_calls
693
Georg Brandl7ad3df62014-10-31 07:59:37 +0100694 :attr:`mock_calls` records *all* calls to the mock object, its methods,
695 magic methods *and* return value mocks.
Michael Foord944e02d2012-03-25 23:12:55 +0100696
697 >>> mock = MagicMock()
698 >>> result = mock(1, 2, 3)
699 >>> mock.first(a=3)
700 <MagicMock name='mock.first()' id='...'>
701 >>> mock.second()
702 <MagicMock name='mock.second()' id='...'>
703 >>> int(mock)
704 1
705 >>> result(1)
706 <MagicMock name='mock()()' id='...'>
707 >>> expected = [call(1, 2, 3), call.first(a=3), call.second(),
708 ... call.__int__(), call()(1)]
709 >>> mock.mock_calls == expected
710 True
711
Georg Brandl7ad3df62014-10-31 07:59:37 +0100712 Members of :attr:`mock_calls` are :data:`call` objects. These can be
Michael Foord944e02d2012-03-25 23:12:55 +0100713 unpacked as tuples to get at the individual arguments. See
714 :ref:`calls as tuples <calls-as-tuples>`.
715
Chris Withers8ca0fa92018-12-03 21:31:37 +0000716 .. note::
717
718 The way :attr:`mock_calls` are recorded means that where nested
719 calls are made, the parameters of ancestor calls are not recorded
720 and so will always compare equal:
721
722 >>> mock = MagicMock()
723 >>> mock.top(a=3).bottom()
724 <MagicMock name='mock.top().bottom()' id='...'>
725 >>> mock.mock_calls
726 [call.top(a=3), call.top().bottom()]
727 >>> mock.mock_calls[-1] == call.top(a=-1).bottom()
728 True
Michael Foord944e02d2012-03-25 23:12:55 +0100729
730 .. attribute:: __class__
731
Georg Brandl7ad3df62014-10-31 07:59:37 +0100732 Normally the :attr:`__class__` attribute of an object will return its type.
733 For a mock object with a :attr:`spec`, ``__class__`` returns the spec class
734 instead. This allows mock objects to pass :func:`isinstance` tests for the
Michael Foord944e02d2012-03-25 23:12:55 +0100735 object they are replacing / masquerading as:
736
737 >>> mock = Mock(spec=3)
738 >>> isinstance(mock, int)
739 True
740
Georg Brandl7ad3df62014-10-31 07:59:37 +0100741 :attr:`__class__` is assignable to, this allows a mock to pass an
742 :func:`isinstance` check without forcing you to use a spec:
Michael Foord944e02d2012-03-25 23:12:55 +0100743
744 >>> mock = Mock()
745 >>> mock.__class__ = dict
746 >>> isinstance(mock, dict)
747 True
748
749.. class:: NonCallableMock(spec=None, wraps=None, name=None, spec_set=None, **kwargs)
750
Georg Brandl7ad3df62014-10-31 07:59:37 +0100751 A non-callable version of :class:`Mock`. The constructor parameters have the same
752 meaning of :class:`Mock`, with the exception of *return_value* and *side_effect*
Michael Foord944e02d2012-03-25 23:12:55 +0100753 which have no meaning on a non-callable mock.
754
Georg Brandl7ad3df62014-10-31 07:59:37 +0100755Mock objects that use a class or an instance as a :attr:`spec` or
756:attr:`spec_set` are able to pass :func:`isinstance` tests:
Michael Foord944e02d2012-03-25 23:12:55 +0100757
758 >>> mock = Mock(spec=SomeClass)
759 >>> isinstance(mock, SomeClass)
760 True
761 >>> mock = Mock(spec_set=SomeClass())
762 >>> isinstance(mock, SomeClass)
763 True
764
Georg Brandl7ad3df62014-10-31 07:59:37 +0100765The :class:`Mock` classes have support for mocking magic methods. See :ref:`magic
Michael Foord944e02d2012-03-25 23:12:55 +0100766methods <magic-methods>` for the full details.
767
768The mock classes and the :func:`patch` decorators all take arbitrary keyword
Georg Brandl7ad3df62014-10-31 07:59:37 +0100769arguments for configuration. For the :func:`patch` decorators the keywords are
Michael Foord944e02d2012-03-25 23:12:55 +0100770passed to the constructor of the mock being created. The keyword arguments
771are for configuring attributes of the mock:
772
773 >>> m = MagicMock(attribute=3, other='fish')
774 >>> m.attribute
775 3
776 >>> m.other
777 'fish'
778
779The return value and side effect of child mocks can be set in the same way,
780using dotted notation. As you can't use dotted names directly in a call you
Georg Brandl7ad3df62014-10-31 07:59:37 +0100781have to create a dictionary and unpack it using ``**``:
Michael Foord944e02d2012-03-25 23:12:55 +0100782
783 >>> attrs = {'method.return_value': 3, 'other.side_effect': KeyError}
784 >>> mock = Mock(some_attribute='eggs', **attrs)
785 >>> mock.some_attribute
786 'eggs'
787 >>> mock.method()
788 3
789 >>> mock.other()
790 Traceback (most recent call last):
791 ...
792 KeyError
793
Antoine Pitrou5c64df72013-02-03 00:23:58 +0100794A callable mock which was created with a *spec* (or a *spec_set*) will
795introspect the specification object's signature when matching calls to
796the mock. Therefore, it can match the actual call's arguments regardless
797of whether they were passed positionally or by name::
798
799 >>> def f(a, b, c): pass
800 ...
801 >>> mock = Mock(spec=f)
802 >>> mock(1, 2, c=3)
803 <Mock name='mock()' id='140161580456576'>
804 >>> mock.assert_called_with(1, 2, 3)
805 >>> mock.assert_called_with(a=1, b=2, c=3)
806
807This applies to :meth:`~Mock.assert_called_with`,
808:meth:`~Mock.assert_called_once_with`, :meth:`~Mock.assert_has_calls` and
809:meth:`~Mock.assert_any_call`. When :ref:`auto-speccing`, it will also
810apply to method calls on the mock object.
811
812 .. versionchanged:: 3.4
813 Added signature introspection on specced and autospecced mock objects.
814
Michael Foord944e02d2012-03-25 23:12:55 +0100815
816.. class:: PropertyMock(*args, **kwargs)
817
818 A mock intended to be used as a property, or other descriptor, on a class.
Georg Brandl7ad3df62014-10-31 07:59:37 +0100819 :class:`PropertyMock` provides :meth:`__get__` and :meth:`__set__` methods
820 so you can specify a return value when it is fetched.
Michael Foord944e02d2012-03-25 23:12:55 +0100821
Georg Brandl7ad3df62014-10-31 07:59:37 +0100822 Fetching a :class:`PropertyMock` instance from an object calls the mock, with
Stéphane Wirtel859c0682018-10-12 09:51:05 +0200823 no args. Setting it calls the mock with the value being set. ::
Michael Foord944e02d2012-03-25 23:12:55 +0100824
Ezio Melottic9cfcf12013-03-11 09:42:40 +0200825 >>> class Foo:
Michael Foord944e02d2012-03-25 23:12:55 +0100826 ... @property
827 ... def foo(self):
828 ... return 'something'
829 ... @foo.setter
830 ... def foo(self, value):
831 ... pass
832 ...
833 >>> with patch('__main__.Foo.foo', new_callable=PropertyMock) as mock_foo:
834 ... mock_foo.return_value = 'mockity-mock'
835 ... this_foo = Foo()
Berker Peksag920f6db2015-09-10 21:41:15 +0300836 ... print(this_foo.foo)
Michael Foord944e02d2012-03-25 23:12:55 +0100837 ... this_foo.foo = 6
838 ...
839 mockity-mock
840 >>> mock_foo.mock_calls
841 [call(), call(6)]
842
Michael Foordc2870622012-04-13 16:57:22 +0100843Because of the way mock attributes are stored you can't directly attach a
Georg Brandl7ad3df62014-10-31 07:59:37 +0100844:class:`PropertyMock` to a mock object. Instead you can attach it to the mock type
Michael Foordc2870622012-04-13 16:57:22 +0100845object::
846
847 >>> m = MagicMock()
848 >>> p = PropertyMock(return_value=3)
849 >>> type(m).foo = p
850 >>> m.foo
851 3
852 >>> p.assert_called_once_with()
853
Michael Foord944e02d2012-03-25 23:12:55 +0100854
Lisa Roach77b3b772019-05-20 09:19:53 -0700855.. class:: AsyncMock(spec=None, side_effect=None, return_value=DEFAULT, wraps=None, name=None, spec_set=None, unsafe=False, **kwargs)
856
Elena Oatcf288b52020-01-15 01:50:57 -0800857 An asynchronous version of :class:`MagicMock`. The :class:`AsyncMock` object will
Lisa Roach77b3b772019-05-20 09:19:53 -0700858 behave so the object is recognized as an async function, and the result of a
859 call is an awaitable.
860
861 >>> mock = AsyncMock()
862 >>> asyncio.iscoroutinefunction(mock)
863 True
Xtreake7cb23b2019-05-21 14:17:17 +0530864 >>> inspect.isawaitable(mock()) # doctest: +SKIP
Lisa Roach77b3b772019-05-20 09:19:53 -0700865 True
866
867 The result of ``mock()`` is an async function which will have the outcome
Lisa Roach3667e1e2019-09-29 21:56:47 -0700868 of ``side_effect`` or ``return_value`` after it has been awaited:
Lisa Roach77b3b772019-05-20 09:19:53 -0700869
870 - if ``side_effect`` is a function, the async function will return the
871 result of that function,
872 - if ``side_effect`` is an exception, the async function will raise the
873 exception,
874 - if ``side_effect`` is an iterable, the async function will return the
875 next value of the iterable, however, if the sequence of result is
Jason Fried046442d2019-11-20 16:27:51 -0800876 exhausted, ``StopAsyncIteration`` is raised immediately,
Lisa Roach77b3b772019-05-20 09:19:53 -0700877 - if ``side_effect`` is not defined, the async function will return the
878 value defined by ``return_value``, hence, by default, the async function
879 returns a new :class:`AsyncMock` object.
880
881
882 Setting the *spec* of a :class:`Mock` or :class:`MagicMock` to an async function
883 will result in a coroutine object being returned after calling.
884
885 >>> async def async_func(): pass
886 ...
887 >>> mock = MagicMock(async_func)
888 >>> mock
889 <MagicMock spec='function' id='...'>
Xtreake7cb23b2019-05-21 14:17:17 +0530890 >>> mock() # doctest: +SKIP
Lisa Roach77b3b772019-05-20 09:19:53 -0700891 <coroutine object AsyncMockMixin._mock_call at ...>
892
Lisa Roach3667e1e2019-09-29 21:56:47 -0700893
894 Setting the *spec* of a :class:`Mock`, :class:`MagicMock`, or :class:`AsyncMock`
895 to a class with asynchronous and synchronous functions will automatically
896 detect the synchronous functions and set them as :class:`MagicMock` (if the
897 parent mock is :class:`AsyncMock` or :class:`MagicMock`) or :class:`Mock` (if
898 the parent mock is :class:`Mock`). All asynchronous functions will be
899 :class:`AsyncMock`.
900
901 >>> class ExampleClass:
902 ... def sync_foo():
903 ... pass
904 ... async def async_foo():
905 ... pass
906 ...
907 >>> a_mock = AsyncMock(ExampleClass)
908 >>> a_mock.sync_foo
909 <MagicMock name='mock.sync_foo' id='...'>
910 >>> a_mock.async_foo
911 <AsyncMock name='mock.async_foo' id='...'>
912 >>> mock = Mock(ExampleClass)
913 >>> mock.sync_foo
914 <Mock name='mock.sync_foo' id='...'>
915 >>> mock.async_foo
916 <AsyncMock name='mock.async_foo' id='...'>
917
John Belmonte279d8df2019-11-20 09:30:43 +0900918 .. versionadded:: 3.8
Lisa Roach3667e1e2019-09-29 21:56:47 -0700919
Lisa Roach77b3b772019-05-20 09:19:53 -0700920 .. method:: assert_awaited()
921
Lisa Roachef048512019-09-23 20:49:40 -0700922 Assert that the mock was awaited at least once. Note that this is separate
923 from the object having been called, the ``await`` keyword must be used:
Lisa Roach77b3b772019-05-20 09:19:53 -0700924
925 >>> mock = AsyncMock()
Lisa Roachef048512019-09-23 20:49:40 -0700926 >>> async def main(coroutine_mock):
927 ... await coroutine_mock
Lisa Roach77b3b772019-05-20 09:19:53 -0700928 ...
Lisa Roachef048512019-09-23 20:49:40 -0700929 >>> coroutine_mock = mock()
930 >>> mock.called
931 True
Lisa Roach77b3b772019-05-20 09:19:53 -0700932 >>> mock.assert_awaited()
Lisa Roach77b3b772019-05-20 09:19:53 -0700933 Traceback (most recent call last):
934 ...
935 AssertionError: Expected mock to have been awaited.
Lisa Roachef048512019-09-23 20:49:40 -0700936 >>> asyncio.run(main(coroutine_mock))
937 >>> mock.assert_awaited()
Lisa Roach77b3b772019-05-20 09:19:53 -0700938
939 .. method:: assert_awaited_once()
940
941 Assert that the mock was awaited exactly once.
942
943 >>> mock = AsyncMock()
944 >>> async def main():
945 ... await mock()
946 ...
947 >>> asyncio.run(main())
948 >>> mock.assert_awaited_once()
949 >>> asyncio.run(main())
950 >>> mock.method.assert_awaited_once()
951 Traceback (most recent call last):
952 ...
953 AssertionError: Expected mock to have been awaited once. Awaited 2 times.
954
955 .. method:: assert_awaited_with(*args, **kwargs)
956
957 Assert that the last await was with the specified arguments.
958
959 >>> mock = AsyncMock()
960 >>> async def main(*args, **kwargs):
961 ... await mock(*args, **kwargs)
962 ...
963 >>> asyncio.run(main('foo', bar='bar'))
964 >>> mock.assert_awaited_with('foo', bar='bar')
965 >>> mock.assert_awaited_with('other')
966 Traceback (most recent call last):
967 ...
968 AssertionError: expected call not found.
969 Expected: mock('other')
970 Actual: mock('foo', bar='bar')
971
972 .. method:: assert_awaited_once_with(*args, **kwargs)
973
974 Assert that the mock was awaited exactly once and with the specified
975 arguments.
976
977 >>> mock = AsyncMock()
978 >>> async def main(*args, **kwargs):
979 ... await mock(*args, **kwargs)
980 ...
981 >>> asyncio.run(main('foo', bar='bar'))
982 >>> mock.assert_awaited_once_with('foo', bar='bar')
983 >>> asyncio.run(main('foo', bar='bar'))
984 >>> mock.assert_awaited_once_with('foo', bar='bar')
985 Traceback (most recent call last):
986 ...
987 AssertionError: Expected mock to have been awaited once. Awaited 2 times.
988
989 .. method:: assert_any_await(*args, **kwargs)
990
991 Assert the mock has ever been awaited with the specified arguments.
992
993 >>> mock = AsyncMock()
994 >>> async def main(*args, **kwargs):
995 ... await mock(*args, **kwargs)
996 ...
997 >>> asyncio.run(main('foo', bar='bar'))
998 >>> asyncio.run(main('hello'))
999 >>> mock.assert_any_await('foo', bar='bar')
1000 >>> mock.assert_any_await('other')
1001 Traceback (most recent call last):
1002 ...
1003 AssertionError: mock('other') await not found
1004
1005 .. method:: assert_has_awaits(calls, any_order=False)
1006
1007 Assert the mock has been awaited with the specified calls.
1008 The :attr:`await_args_list` list is checked for the awaits.
1009
Serhiy Storchaka138ccbb2019-11-12 16:57:03 +02001010 If *any_order* is false then the awaits must be
Lisa Roach77b3b772019-05-20 09:19:53 -07001011 sequential. There can be extra calls before or after the
1012 specified awaits.
1013
Serhiy Storchaka138ccbb2019-11-12 16:57:03 +02001014 If *any_order* is true then the awaits can be in any order, but
Lisa Roach77b3b772019-05-20 09:19:53 -07001015 they must all appear in :attr:`await_args_list`.
1016
1017 >>> mock = AsyncMock()
1018 >>> async def main(*args, **kwargs):
1019 ... await mock(*args, **kwargs)
1020 ...
1021 >>> calls = [call("foo"), call("bar")]
Lisa Roachef048512019-09-23 20:49:40 -07001022 >>> mock.assert_has_awaits(calls)
Lisa Roach77b3b772019-05-20 09:19:53 -07001023 Traceback (most recent call last):
1024 ...
Lisa Roachef048512019-09-23 20:49:40 -07001025 AssertionError: Awaits not found.
Lisa Roach77b3b772019-05-20 09:19:53 -07001026 Expected: [call('foo'), call('bar')]
Lisa Roachef048512019-09-23 20:49:40 -07001027 Actual: []
Lisa Roach77b3b772019-05-20 09:19:53 -07001028 >>> asyncio.run(main('foo'))
1029 >>> asyncio.run(main('bar'))
Lisa Roachef048512019-09-23 20:49:40 -07001030 >>> mock.assert_has_awaits(calls)
Lisa Roach77b3b772019-05-20 09:19:53 -07001031
1032 .. method:: assert_not_awaited()
1033
1034 Assert that the mock was never awaited.
1035
1036 >>> mock = AsyncMock()
1037 >>> mock.assert_not_awaited()
1038
1039 .. method:: reset_mock(*args, **kwargs)
1040
1041 See :func:`Mock.reset_mock`. Also sets :attr:`await_count` to 0,
1042 :attr:`await_args` to None, and clears the :attr:`await_args_list`.
1043
1044 .. attribute:: await_count
1045
1046 An integer keeping track of how many times the mock object has been awaited.
1047
1048 >>> mock = AsyncMock()
1049 >>> async def main():
1050 ... await mock()
1051 ...
1052 >>> asyncio.run(main())
1053 >>> mock.await_count
1054 1
1055 >>> asyncio.run(main())
1056 >>> mock.await_count
1057 2
1058
1059 .. attribute:: await_args
1060
1061 This is either ``None`` (if the mock hasn’t been awaited), or the arguments that
1062 the mock was last awaited with. Functions the same as :attr:`Mock.call_args`.
1063
1064 >>> mock = AsyncMock()
1065 >>> async def main(*args):
1066 ... await mock(*args)
1067 ...
1068 >>> mock.await_args
1069 >>> asyncio.run(main('foo'))
1070 >>> mock.await_args
1071 call('foo')
1072 >>> asyncio.run(main('bar'))
1073 >>> mock.await_args
1074 call('bar')
1075
1076
1077 .. attribute:: await_args_list
1078
1079 This is a list of all the awaits made to the mock object in sequence (so the
1080 length of the list is the number of times it has been awaited). Before any
1081 awaits have been made it is an empty list.
1082
1083 >>> mock = AsyncMock()
1084 >>> async def main(*args):
1085 ... await mock(*args)
1086 ...
1087 >>> mock.await_args_list
1088 []
1089 >>> asyncio.run(main('foo'))
1090 >>> mock.await_args_list
1091 [call('foo')]
1092 >>> asyncio.run(main('bar'))
1093 >>> mock.await_args_list
1094 [call('foo'), call('bar')]
1095
1096
Michael Foord944e02d2012-03-25 23:12:55 +01001097Calling
1098~~~~~~~
1099
1100Mock objects are callable. The call will return the value set as the
1101:attr:`~Mock.return_value` attribute. The default return value is a new Mock
1102object; it is created the first time the return value is accessed (either
1103explicitly or by calling the Mock) - but it is stored and the same one
1104returned each time.
1105
1106Calls made to the object will be recorded in the attributes
1107like :attr:`~Mock.call_args` and :attr:`~Mock.call_args_list`.
1108
1109If :attr:`~Mock.side_effect` is set then it will be called after the call has
Georg Brandl7ad3df62014-10-31 07:59:37 +01001110been recorded, so if :attr:`side_effect` raises an exception the call is still
Michael Foord944e02d2012-03-25 23:12:55 +01001111recorded.
1112
1113The simplest way to make a mock raise an exception when called is to make
1114:attr:`~Mock.side_effect` an exception class or instance:
1115
1116 >>> m = MagicMock(side_effect=IndexError)
1117 >>> m(1, 2, 3)
1118 Traceback (most recent call last):
1119 ...
1120 IndexError
1121 >>> m.mock_calls
1122 [call(1, 2, 3)]
1123 >>> m.side_effect = KeyError('Bang!')
1124 >>> m('two', 'three', 'four')
1125 Traceback (most recent call last):
1126 ...
1127 KeyError: 'Bang!'
1128 >>> m.mock_calls
1129 [call(1, 2, 3), call('two', 'three', 'four')]
1130
Georg Brandl7ad3df62014-10-31 07:59:37 +01001131If :attr:`side_effect` is a function then whatever that function returns is what
1132calls to the mock return. The :attr:`side_effect` function is called with the
Michael Foord944e02d2012-03-25 23:12:55 +01001133same arguments as the mock. This allows you to vary the return value of the
1134call dynamically, based on the input:
1135
1136 >>> def side_effect(value):
1137 ... return value + 1
1138 ...
1139 >>> m = MagicMock(side_effect=side_effect)
1140 >>> m(1)
1141 2
1142 >>> m(2)
1143 3
1144 >>> m.mock_calls
1145 [call(1), call(2)]
1146
1147If you want the mock to still return the default return value (a new mock), or
1148any set return value, then there are two ways of doing this. Either return
Georg Brandl7ad3df62014-10-31 07:59:37 +01001149:attr:`mock.return_value` from inside :attr:`side_effect`, or return :data:`DEFAULT`:
Michael Foord944e02d2012-03-25 23:12:55 +01001150
1151 >>> m = MagicMock()
1152 >>> def side_effect(*args, **kwargs):
1153 ... return m.return_value
1154 ...
1155 >>> m.side_effect = side_effect
1156 >>> m.return_value = 3
1157 >>> m()
1158 3
1159 >>> def side_effect(*args, **kwargs):
1160 ... return DEFAULT
1161 ...
1162 >>> m.side_effect = side_effect
1163 >>> m()
1164 3
1165
Georg Brandl7ad3df62014-10-31 07:59:37 +01001166To remove a :attr:`side_effect`, and return to the default behaviour, set the
1167:attr:`side_effect` to ``None``:
Michael Foord944e02d2012-03-25 23:12:55 +01001168
1169 >>> m = MagicMock(return_value=6)
1170 >>> def side_effect(*args, **kwargs):
1171 ... return 3
1172 ...
1173 >>> m.side_effect = side_effect
1174 >>> m()
1175 3
1176 >>> m.side_effect = None
1177 >>> m()
1178 6
1179
Georg Brandl7ad3df62014-10-31 07:59:37 +01001180The :attr:`side_effect` can also be any iterable object. Repeated calls to the mock
Michael Foord944e02d2012-03-25 23:12:55 +01001181will return values from the iterable (until the iterable is exhausted and
Georg Brandl7ad3df62014-10-31 07:59:37 +01001182a :exc:`StopIteration` is raised):
Michael Foord944e02d2012-03-25 23:12:55 +01001183
1184 >>> m = MagicMock(side_effect=[1, 2, 3])
1185 >>> m()
1186 1
1187 >>> m()
1188 2
1189 >>> m()
1190 3
1191 >>> m()
1192 Traceback (most recent call last):
1193 ...
1194 StopIteration
1195
Michael Foord2cd48732012-04-21 15:52:11 +01001196If any members of the iterable are exceptions they will be raised instead of
1197returned::
1198
1199 >>> iterable = (33, ValueError, 66)
1200 >>> m = MagicMock(side_effect=iterable)
1201 >>> m()
1202 33
1203 >>> m()
1204 Traceback (most recent call last):
1205 ...
1206 ValueError
1207 >>> m()
1208 66
1209
Michael Foord944e02d2012-03-25 23:12:55 +01001210
1211.. _deleting-attributes:
1212
1213Deleting Attributes
1214~~~~~~~~~~~~~~~~~~~
1215
1216Mock objects create attributes on demand. This allows them to pretend to be
1217objects of any type.
1218
Georg Brandl7ad3df62014-10-31 07:59:37 +01001219You may want a mock object to return ``False`` to a :func:`hasattr` call, or raise an
1220:exc:`AttributeError` when an attribute is fetched. You can do this by providing
1221an object as a :attr:`spec` for a mock, but that isn't always convenient.
Michael Foord944e02d2012-03-25 23:12:55 +01001222
1223You "block" attributes by deleting them. Once deleted, accessing an attribute
Georg Brandl7ad3df62014-10-31 07:59:37 +01001224will raise an :exc:`AttributeError`.
Michael Foord944e02d2012-03-25 23:12:55 +01001225
1226 >>> mock = MagicMock()
1227 >>> hasattr(mock, 'm')
1228 True
1229 >>> del mock.m
1230 >>> hasattr(mock, 'm')
1231 False
1232 >>> del mock.f
1233 >>> mock.f
1234 Traceback (most recent call last):
1235 ...
1236 AttributeError: f
1237
1238
Michael Foordf5752302013-03-18 15:04:03 -07001239Mock names and the name attribute
1240~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
1241
1242Since "name" is an argument to the :class:`Mock` constructor, if you want your
1243mock object to have a "name" attribute you can't just pass it in at creation
1244time. There are two alternatives. One option is to use
1245:meth:`~Mock.configure_mock`::
1246
1247 >>> mock = MagicMock()
1248 >>> mock.configure_mock(name='my_name')
1249 >>> mock.name
1250 'my_name'
1251
1252A simpler option is to simply set the "name" attribute after mock creation::
1253
1254 >>> mock = MagicMock()
1255 >>> mock.name = "foo"
1256
1257
Michael Foord944e02d2012-03-25 23:12:55 +01001258Attaching Mocks as Attributes
1259~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
1260
1261When you attach a mock as an attribute of another mock (or as the return
1262value) it becomes a "child" of that mock. Calls to the child are recorded in
1263the :attr:`~Mock.method_calls` and :attr:`~Mock.mock_calls` attributes of the
1264parent. This is useful for configuring child mocks and then attaching them to
1265the parent, or for attaching mocks to a parent that records all calls to the
1266children and allows you to make assertions about the order of calls between
1267mocks:
1268
1269 >>> parent = MagicMock()
1270 >>> child1 = MagicMock(return_value=None)
1271 >>> child2 = MagicMock(return_value=None)
1272 >>> parent.child1 = child1
1273 >>> parent.child2 = child2
1274 >>> child1(1)
1275 >>> child2(2)
1276 >>> parent.mock_calls
1277 [call.child1(1), call.child2(2)]
1278
1279The exception to this is if the mock has a name. This allows you to prevent
1280the "parenting" if for some reason you don't want it to happen.
1281
1282 >>> mock = MagicMock()
1283 >>> not_a_child = MagicMock(name='not-a-child')
1284 >>> mock.attribute = not_a_child
1285 >>> mock.attribute()
1286 <MagicMock name='not-a-child()' id='...'>
1287 >>> mock.mock_calls
1288 []
1289
1290Mocks created for you by :func:`patch` are automatically given names. To
1291attach mocks that have names to a parent you use the :meth:`~Mock.attach_mock`
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001292method::
Michael Foord944e02d2012-03-25 23:12:55 +01001293
1294 >>> thing1 = object()
1295 >>> thing2 = object()
1296 >>> parent = MagicMock()
1297 >>> with patch('__main__.thing1', return_value=None) as child1:
1298 ... with patch('__main__.thing2', return_value=None) as child2:
1299 ... parent.attach_mock(child1, 'child1')
1300 ... parent.attach_mock(child2, 'child2')
1301 ... child1('one')
1302 ... child2('two')
1303 ...
1304 >>> parent.mock_calls
1305 [call.child1('one'), call.child2('two')]
1306
1307
1308.. [#] The only exceptions are magic methods and attributes (those that have
1309 leading and trailing double underscores). Mock doesn't create these but
Georg Brandl7ad3df62014-10-31 07:59:37 +01001310 instead raises an :exc:`AttributeError`. This is because the interpreter
Michael Foord944e02d2012-03-25 23:12:55 +01001311 will often implicitly request these methods, and gets *very* confused to
1312 get a new Mock object when it expects a magic method. If you need magic
1313 method support see :ref:`magic methods <magic-methods>`.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001314
1315
1316The patchers
Georg Brandlfb134382013-02-03 11:47:49 +01001317------------
Michael Foorda9e6fb22012-03-28 14:36:02 +01001318
1319The patch decorators are used for patching objects only within the scope of
1320the function they decorate. They automatically handle the unpatching for you,
1321even if exceptions are raised. All of these functions can also be used in with
1322statements or as class decorators.
1323
1324
1325patch
Georg Brandlfb134382013-02-03 11:47:49 +01001326~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01001327
1328.. note::
1329
Georg Brandl7ad3df62014-10-31 07:59:37 +01001330 :func:`patch` is straightforward to use. The key is to do the patching in the
Michael Foorda9e6fb22012-03-28 14:36:02 +01001331 right namespace. See the section `where to patch`_.
1332
1333.. function:: patch(target, new=DEFAULT, spec=None, create=False, spec_set=None, autospec=None, new_callable=None, **kwargs)
1334
Georg Brandl7ad3df62014-10-31 07:59:37 +01001335 :func:`patch` acts as a function decorator, class decorator or a context
1336 manager. Inside the body of the function or with statement, the *target*
1337 is patched with a *new* object. When the function/with statement exits
Michael Foord54b3db82012-03-28 15:08:08 +01001338 the patch is undone.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001339
Mario Corcherof5e7f392019-09-09 15:18:06 +01001340 If *new* is omitted, then the target is replaced with an
1341 :class:`AsyncMock` if the patched object is an async function or
1342 a :class:`MagicMock` otherwise.
1343 If :func:`patch` is used as a decorator and *new* is
Michael Foord54b3db82012-03-28 15:08:08 +01001344 omitted, the created mock is passed in as an extra argument to the
Georg Brandl7ad3df62014-10-31 07:59:37 +01001345 decorated function. If :func:`patch` is used as a context manager the created
Michael Foord54b3db82012-03-28 15:08:08 +01001346 mock is returned by the context manager.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001347
Georg Brandl7ad3df62014-10-31 07:59:37 +01001348 *target* should be a string in the form ``'package.module.ClassName'``. The
1349 *target* is imported and the specified object replaced with the *new*
1350 object, so the *target* must be importable from the environment you are
1351 calling :func:`patch` from. The target is imported when the decorated function
Michael Foord54b3db82012-03-28 15:08:08 +01001352 is executed, not at decoration time.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001353
Georg Brandl7ad3df62014-10-31 07:59:37 +01001354 The *spec* and *spec_set* keyword arguments are passed to the :class:`MagicMock`
Michael Foorda9e6fb22012-03-28 14:36:02 +01001355 if patch is creating one for you.
1356
Georg Brandl7ad3df62014-10-31 07:59:37 +01001357 In addition you can pass ``spec=True`` or ``spec_set=True``, which causes
Michael Foorda9e6fb22012-03-28 14:36:02 +01001358 patch to pass in the object being mocked as the spec/spec_set object.
1359
Georg Brandl7ad3df62014-10-31 07:59:37 +01001360 *new_callable* allows you to specify a different class, or callable object,
Mario Corcherof5e7f392019-09-09 15:18:06 +01001361 that will be called to create the *new* object. By default :class:`AsyncMock`
1362 is used for async functions and :class:`MagicMock` for the rest.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001363
Georg Brandl7ad3df62014-10-31 07:59:37 +01001364 A more powerful form of *spec* is *autospec*. If you set ``autospec=True``
Georg Brandl8ed75cd2014-10-31 10:25:48 +01001365 then the mock will be created with a spec from the object being replaced.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001366 All attributes of the mock will also have the spec of the corresponding
1367 attribute of the object being replaced. Methods and functions being mocked
Georg Brandl7ad3df62014-10-31 07:59:37 +01001368 will have their arguments checked and will raise a :exc:`TypeError` if they are
Michael Foorda9e6fb22012-03-28 14:36:02 +01001369 called with the wrong signature. For mocks
1370 replacing a class, their return value (the 'instance') will have the same
1371 spec as the class. See the :func:`create_autospec` function and
1372 :ref:`auto-speccing`.
1373
Georg Brandl7ad3df62014-10-31 07:59:37 +01001374 Instead of ``autospec=True`` you can pass ``autospec=some_object`` to use an
Michael Foorda9e6fb22012-03-28 14:36:02 +01001375 arbitrary object as the spec instead of the one being replaced.
1376
Pablo Galindod6acf172019-01-09 21:43:24 +00001377 By default :func:`patch` will fail to replace attributes that don't exist.
1378 If you pass in ``create=True``, and the attribute doesn't exist, patch will
1379 create the attribute for you when the patched function is called, and delete
1380 it again after the patched function has exited. This is useful for writing
1381 tests against attributes that your production code creates at runtime. It is
1382 off by default because it can be dangerous. With it switched on you can
1383 write passing tests against APIs that don't actually exist!
Michael Foorda9e6fb22012-03-28 14:36:02 +01001384
Michael Foordfddcfa22014-04-14 16:25:20 -04001385 .. note::
1386
1387 .. versionchanged:: 3.5
1388 If you are patching builtins in a module then you don't
Georg Brandl7ad3df62014-10-31 07:59:37 +01001389 need to pass ``create=True``, it will be added by default.
Michael Foordfddcfa22014-04-14 16:25:20 -04001390
Georg Brandl7ad3df62014-10-31 07:59:37 +01001391 Patch can be used as a :class:`TestCase` class decorator. It works by
Michael Foorda9e6fb22012-03-28 14:36:02 +01001392 decorating each test method in the class. This reduces the boilerplate
Georg Brandl7ad3df62014-10-31 07:59:37 +01001393 code when your test methods share a common patchings set. :func:`patch` finds
1394 tests by looking for method names that start with ``patch.TEST_PREFIX``.
1395 By default this is ``'test'``, which matches the way :mod:`unittest` finds tests.
1396 You can specify an alternative prefix by setting ``patch.TEST_PREFIX``.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001397
1398 Patch can be used as a context manager, with the with statement. Here the
1399 patching applies to the indented block after the with statement. If you
1400 use "as" then the patched object will be bound to the name after the
Georg Brandl7ad3df62014-10-31 07:59:37 +01001401 "as"; very useful if :func:`patch` is creating a mock object for you.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001402
Georg Brandl7ad3df62014-10-31 07:59:37 +01001403 :func:`patch` takes arbitrary keyword arguments. These will be passed to
Paulo Henrique Silva40c08092020-01-25 07:53:54 -03001404 :class:`AsyncMock` if the patched object is asynchronous, to
1405 :class:`MagicMock` otherwise or to *new_callable* if specified.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001406
Georg Brandl7ad3df62014-10-31 07:59:37 +01001407 ``patch.dict(...)``, ``patch.multiple(...)`` and ``patch.object(...)`` are
Michael Foorda9e6fb22012-03-28 14:36:02 +01001408 available for alternate use-cases.
1409
Georg Brandl7ad3df62014-10-31 07:59:37 +01001410:func:`patch` as function decorator, creating the mock for you and passing it into
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001411the decorated function::
Michael Foord90155362012-03-28 15:32:08 +01001412
1413 >>> @patch('__main__.SomeClass')
Michael Foord324b58b2012-03-28 15:49:08 +01001414 ... def function(normal_argument, mock_class):
Michael Foord90155362012-03-28 15:32:08 +01001415 ... print(mock_class is SomeClass)
1416 ...
Michael Foord324b58b2012-03-28 15:49:08 +01001417 >>> function(None)
Michael Foord90155362012-03-28 15:32:08 +01001418 True
Michael Foorda9e6fb22012-03-28 14:36:02 +01001419
Georg Brandl7ad3df62014-10-31 07:59:37 +01001420Patching a class replaces the class with a :class:`MagicMock` *instance*. If the
Michael Foorda9e6fb22012-03-28 14:36:02 +01001421class is instantiated in the code under test then it will be the
1422:attr:`~Mock.return_value` of the mock that will be used.
1423
1424If the class is instantiated multiple times you could use
1425:attr:`~Mock.side_effect` to return a new mock each time. Alternatively you
Georg Brandl7ad3df62014-10-31 07:59:37 +01001426can set the *return_value* to be anything you want.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001427
1428To configure return values on methods of *instances* on the patched class
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001429you must do this on the :attr:`return_value`. For example::
Michael Foorda9e6fb22012-03-28 14:36:02 +01001430
Ezio Melottic9cfcf12013-03-11 09:42:40 +02001431 >>> class Class:
Michael Foorda9e6fb22012-03-28 14:36:02 +01001432 ... def method(self):
1433 ... pass
1434 ...
1435 >>> with patch('__main__.Class') as MockClass:
1436 ... instance = MockClass.return_value
1437 ... instance.method.return_value = 'foo'
1438 ... assert Class() is instance
1439 ... assert Class().method() == 'foo'
1440 ...
1441
Georg Brandl7ad3df62014-10-31 07:59:37 +01001442If you use *spec* or *spec_set* and :func:`patch` is replacing a *class*, then the
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001443return value of the created mock will have the same spec. ::
Michael Foorda9e6fb22012-03-28 14:36:02 +01001444
1445 >>> Original = Class
1446 >>> patcher = patch('__main__.Class', spec=True)
1447 >>> MockClass = patcher.start()
1448 >>> instance = MockClass()
1449 >>> assert isinstance(instance, Original)
1450 >>> patcher.stop()
1451
Georg Brandl7ad3df62014-10-31 07:59:37 +01001452The *new_callable* argument is useful where you want to use an alternative
Michael Foorda9e6fb22012-03-28 14:36:02 +01001453class to the default :class:`MagicMock` for the created mock. For example, if
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001454you wanted a :class:`NonCallableMock` to be used::
Michael Foorda9e6fb22012-03-28 14:36:02 +01001455
1456 >>> thing = object()
1457 >>> with patch('__main__.thing', new_callable=NonCallableMock) as mock_thing:
1458 ... assert thing is mock_thing
1459 ... thing()
1460 ...
1461 Traceback (most recent call last):
1462 ...
1463 TypeError: 'NonCallableMock' object is not callable
1464
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001465Another use case might be to replace an object with an :class:`io.StringIO` instance::
Michael Foorda9e6fb22012-03-28 14:36:02 +01001466
Serhiy Storchakae79be872013-08-17 00:09:55 +03001467 >>> from io import StringIO
Michael Foorda9e6fb22012-03-28 14:36:02 +01001468 >>> def foo():
Berker Peksag920f6db2015-09-10 21:41:15 +03001469 ... print('Something')
Michael Foorda9e6fb22012-03-28 14:36:02 +01001470 ...
1471 >>> @patch('sys.stdout', new_callable=StringIO)
1472 ... def test(mock_stdout):
1473 ... foo()
1474 ... assert mock_stdout.getvalue() == 'Something\n'
1475 ...
1476 >>> test()
1477
Georg Brandl7ad3df62014-10-31 07:59:37 +01001478When :func:`patch` is creating a mock for you, it is common that the first thing
Michael Foorda9e6fb22012-03-28 14:36:02 +01001479you need to do is to configure the mock. Some of that configuration can be done
1480in the call to patch. Any arbitrary keywords you pass into the call will be
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001481used to set attributes on the created mock::
Michael Foorda9e6fb22012-03-28 14:36:02 +01001482
1483 >>> patcher = patch('__main__.thing', first='one', second='two')
1484 >>> mock_thing = patcher.start()
1485 >>> mock_thing.first
1486 'one'
1487 >>> mock_thing.second
1488 'two'
1489
1490As well as attributes on the created mock attributes, like the
1491:attr:`~Mock.return_value` and :attr:`~Mock.side_effect`, of child mocks can
1492also be configured. These aren't syntactically valid to pass in directly as
1493keyword arguments, but a dictionary with these as keys can still be expanded
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001494into a :func:`patch` call using ``**``::
Michael Foorda9e6fb22012-03-28 14:36:02 +01001495
1496 >>> config = {'method.return_value': 3, 'other.side_effect': KeyError}
1497 >>> patcher = patch('__main__.thing', **config)
1498 >>> mock_thing = patcher.start()
1499 >>> mock_thing.method()
1500 3
1501 >>> mock_thing.other()
1502 Traceback (most recent call last):
1503 ...
1504 KeyError
1505
Pablo Galindod6acf172019-01-09 21:43:24 +00001506By default, attempting to patch a function in a module (or a method or an
1507attribute in a class) that does not exist will fail with :exc:`AttributeError`::
1508
1509 >>> @patch('sys.non_existing_attribute', 42)
1510 ... def test():
1511 ... assert sys.non_existing_attribute == 42
1512 ...
1513 >>> test()
1514 Traceback (most recent call last):
1515 ...
1516 AttributeError: <module 'sys' (built-in)> does not have the attribute 'non_existing'
1517
1518but adding ``create=True`` in the call to :func:`patch` will make the previous example
1519work as expected::
1520
1521 >>> @patch('sys.non_existing_attribute', 42, create=True)
1522 ... def test(mock_stdout):
1523 ... assert sys.non_existing_attribute == 42
1524 ...
1525 >>> test()
1526
Mario Corcherof5e7f392019-09-09 15:18:06 +01001527.. versionchanged:: 3.8
1528
1529 :func:`patch` now returns an :class:`AsyncMock` if the target is an async function.
1530
Michael Foorda9e6fb22012-03-28 14:36:02 +01001531
1532patch.object
Georg Brandlfb134382013-02-03 11:47:49 +01001533~~~~~~~~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01001534
1535.. function:: patch.object(target, attribute, new=DEFAULT, spec=None, create=False, spec_set=None, autospec=None, new_callable=None, **kwargs)
1536
Georg Brandl7ad3df62014-10-31 07:59:37 +01001537 patch the named member (*attribute*) on an object (*target*) with a mock
Michael Foorda9e6fb22012-03-28 14:36:02 +01001538 object.
1539
Georg Brandl7ad3df62014-10-31 07:59:37 +01001540 :func:`patch.object` can be used as a decorator, class decorator or a context
1541 manager. Arguments *new*, *spec*, *create*, *spec_set*, *autospec* and
1542 *new_callable* have the same meaning as for :func:`patch`. Like :func:`patch`,
1543 :func:`patch.object` takes arbitrary keyword arguments for configuring the mock
Michael Foorda9e6fb22012-03-28 14:36:02 +01001544 object it creates.
1545
Georg Brandl7ad3df62014-10-31 07:59:37 +01001546 When used as a class decorator :func:`patch.object` honours ``patch.TEST_PREFIX``
Michael Foorda9e6fb22012-03-28 14:36:02 +01001547 for choosing which methods to wrap.
1548
Georg Brandl7ad3df62014-10-31 07:59:37 +01001549You can either call :func:`patch.object` with three arguments or two arguments. The
Michael Foorda9e6fb22012-03-28 14:36:02 +01001550three argument form takes the object to be patched, the attribute name and the
1551object to replace the attribute with.
1552
1553When calling with the two argument form you omit the replacement object, and a
1554mock is created for you and passed in as an extra argument to the decorated
1555function:
1556
1557 >>> @patch.object(SomeClass, 'class_method')
1558 ... def test(mock_method):
1559 ... SomeClass.class_method(3)
1560 ... mock_method.assert_called_with(3)
1561 ...
1562 >>> test()
1563
Georg Brandl7ad3df62014-10-31 07:59:37 +01001564*spec*, *create* and the other arguments to :func:`patch.object` have the same
1565meaning as they do for :func:`patch`.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001566
1567
1568patch.dict
Georg Brandlfb134382013-02-03 11:47:49 +01001569~~~~~~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01001570
1571.. function:: patch.dict(in_dict, values=(), clear=False, **kwargs)
1572
1573 Patch a dictionary, or dictionary like object, and restore the dictionary
1574 to its original state after the test.
1575
Georg Brandl7ad3df62014-10-31 07:59:37 +01001576 *in_dict* can be a dictionary or a mapping like container. If it is a
Michael Foorda9e6fb22012-03-28 14:36:02 +01001577 mapping then it must at least support getting, setting and deleting items
1578 plus iterating over keys.
1579
Georg Brandl7ad3df62014-10-31 07:59:37 +01001580 *in_dict* can also be a string specifying the name of the dictionary, which
Michael Foorda9e6fb22012-03-28 14:36:02 +01001581 will then be fetched by importing it.
1582
Georg Brandl7ad3df62014-10-31 07:59:37 +01001583 *values* can be a dictionary of values to set in the dictionary. *values*
1584 can also be an iterable of ``(key, value)`` pairs.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001585
Georg Brandl7ad3df62014-10-31 07:59:37 +01001586 If *clear* is true then the dictionary will be cleared before the new
Michael Foorda9e6fb22012-03-28 14:36:02 +01001587 values are set.
1588
Georg Brandl7ad3df62014-10-31 07:59:37 +01001589 :func:`patch.dict` can also be called with arbitrary keyword arguments to set
Michael Foorda9e6fb22012-03-28 14:36:02 +01001590 values in the dictionary.
1591
Mario Corchero04530812019-05-28 13:53:31 +01001592 .. versionchanged:: 3.8
1593
1594 :func:`patch.dict` now returns the patched dictionary when used as a context
1595 manager.
1596
Emmanuel Arias31a82e22019-09-12 08:29:54 -03001597:func:`patch.dict` can be used as a context manager, decorator or class
1598decorator:
1599
1600 >>> foo = {}
1601 >>> @patch.dict(foo, {'newkey': 'newvalue'})
1602 ... def test():
1603 ... assert foo == {'newkey': 'newvalue'}
1604 >>> test()
1605 >>> assert foo == {}
1606
1607When used as a class decorator :func:`patch.dict` honours
1608``patch.TEST_PREFIX`` (default to ``'test'``) for choosing which methods to wrap:
1609
1610 >>> import os
1611 >>> import unittest
1612 >>> from unittest.mock import patch
1613 >>> @patch.dict('os.environ', {'newkey': 'newvalue'})
1614 ... class TestSample(unittest.TestCase):
1615 ... def test_sample(self):
1616 ... self.assertEqual(os.environ['newkey'], 'newvalue')
1617
1618If you want to use a different prefix for your test, you can inform the
1619patchers of the different prefix by setting ``patch.TEST_PREFIX``. For
1620more details about how to change the value of see :ref:`test-prefix`.
1621
Georg Brandl7ad3df62014-10-31 07:59:37 +01001622:func:`patch.dict` can be used to add members to a dictionary, or simply let a test
Michael Foorda9e6fb22012-03-28 14:36:02 +01001623change a dictionary, and ensure the dictionary is restored when the test
1624ends.
1625
1626 >>> foo = {}
Mario Corchero04530812019-05-28 13:53:31 +01001627 >>> with patch.dict(foo, {'newkey': 'newvalue'}) as patched_foo:
Michael Foorda9e6fb22012-03-28 14:36:02 +01001628 ... assert foo == {'newkey': 'newvalue'}
Mario Corchero04530812019-05-28 13:53:31 +01001629 ... assert patched_foo == {'newkey': 'newvalue'}
1630 ... # You can add, update or delete keys of foo (or patched_foo, it's the same dict)
1631 ... patched_foo['spam'] = 'eggs'
Michael Foorda9e6fb22012-03-28 14:36:02 +01001632 ...
1633 >>> assert foo == {}
Mario Corchero04530812019-05-28 13:53:31 +01001634 >>> assert patched_foo == {}
Michael Foorda9e6fb22012-03-28 14:36:02 +01001635
1636 >>> import os
1637 >>> with patch.dict('os.environ', {'newkey': 'newvalue'}):
Berker Peksag920f6db2015-09-10 21:41:15 +03001638 ... print(os.environ['newkey'])
Michael Foorda9e6fb22012-03-28 14:36:02 +01001639 ...
1640 newvalue
1641 >>> assert 'newkey' not in os.environ
1642
Georg Brandl7ad3df62014-10-31 07:59:37 +01001643Keywords can be used in the :func:`patch.dict` call to set values in the dictionary:
Michael Foorda9e6fb22012-03-28 14:36:02 +01001644
1645 >>> mymodule = MagicMock()
1646 >>> mymodule.function.return_value = 'fish'
1647 >>> with patch.dict('sys.modules', mymodule=mymodule):
1648 ... import mymodule
1649 ... mymodule.function('some', 'args')
1650 ...
1651 'fish'
1652
Georg Brandl7ad3df62014-10-31 07:59:37 +01001653:func:`patch.dict` can be used with dictionary like objects that aren't actually
Michael Foorda9e6fb22012-03-28 14:36:02 +01001654dictionaries. At the very minimum they must support item getting, setting,
1655deleting and either iteration or membership test. This corresponds to the
Georg Brandl7ad3df62014-10-31 07:59:37 +01001656magic methods :meth:`__getitem__`, :meth:`__setitem__`, :meth:`__delitem__` and either
1657:meth:`__iter__` or :meth:`__contains__`.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001658
Ezio Melottic9cfcf12013-03-11 09:42:40 +02001659 >>> class Container:
Michael Foorda9e6fb22012-03-28 14:36:02 +01001660 ... def __init__(self):
1661 ... self.values = {}
1662 ... def __getitem__(self, name):
1663 ... return self.values[name]
1664 ... def __setitem__(self, name, value):
1665 ... self.values[name] = value
1666 ... def __delitem__(self, name):
1667 ... del self.values[name]
1668 ... def __iter__(self):
1669 ... return iter(self.values)
1670 ...
1671 >>> thing = Container()
1672 >>> thing['one'] = 1
1673 >>> with patch.dict(thing, one=2, two=3):
1674 ... assert thing['one'] == 2
1675 ... assert thing['two'] == 3
1676 ...
1677 >>> assert thing['one'] == 1
1678 >>> assert list(thing) == ['one']
1679
1680
1681patch.multiple
Georg Brandlfb134382013-02-03 11:47:49 +01001682~~~~~~~~~~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01001683
1684.. function:: patch.multiple(target, spec=None, create=False, spec_set=None, autospec=None, new_callable=None, **kwargs)
1685
1686 Perform multiple patches in a single call. It takes the object to be
1687 patched (either as an object or a string to fetch the object by importing)
1688 and keyword arguments for the patches::
1689
1690 with patch.multiple(settings, FIRST_PATCH='one', SECOND_PATCH='two'):
1691 ...
1692
Georg Brandl7ad3df62014-10-31 07:59:37 +01001693 Use :data:`DEFAULT` as the value if you want :func:`patch.multiple` to create
Michael Foorda9e6fb22012-03-28 14:36:02 +01001694 mocks for you. In this case the created mocks are passed into a decorated
Georg Brandl7ad3df62014-10-31 07:59:37 +01001695 function by keyword, and a dictionary is returned when :func:`patch.multiple` is
Michael Foorda9e6fb22012-03-28 14:36:02 +01001696 used as a context manager.
1697
Georg Brandl7ad3df62014-10-31 07:59:37 +01001698 :func:`patch.multiple` can be used as a decorator, class decorator or a context
1699 manager. The arguments *spec*, *spec_set*, *create*, *autospec* and
1700 *new_callable* have the same meaning as for :func:`patch`. These arguments will
1701 be applied to *all* patches done by :func:`patch.multiple`.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001702
Georg Brandl7ad3df62014-10-31 07:59:37 +01001703 When used as a class decorator :func:`patch.multiple` honours ``patch.TEST_PREFIX``
Michael Foorda9e6fb22012-03-28 14:36:02 +01001704 for choosing which methods to wrap.
1705
Georg Brandl7ad3df62014-10-31 07:59:37 +01001706If you want :func:`patch.multiple` to create mocks for you, then you can use
1707:data:`DEFAULT` as the value. If you use :func:`patch.multiple` as a decorator
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001708then the created mocks are passed into the decorated function by keyword. ::
Michael Foorda9e6fb22012-03-28 14:36:02 +01001709
1710 >>> thing = object()
1711 >>> other = object()
1712
1713 >>> @patch.multiple('__main__', thing=DEFAULT, other=DEFAULT)
1714 ... def test_function(thing, other):
1715 ... assert isinstance(thing, MagicMock)
1716 ... assert isinstance(other, MagicMock)
1717 ...
1718 >>> test_function()
1719
Georg Brandl7ad3df62014-10-31 07:59:37 +01001720:func:`patch.multiple` can be nested with other ``patch`` decorators, but put arguments
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001721passed by keyword *after* any of the standard arguments created by :func:`patch`::
Michael Foorda9e6fb22012-03-28 14:36:02 +01001722
1723 >>> @patch('sys.exit')
1724 ... @patch.multiple('__main__', thing=DEFAULT, other=DEFAULT)
1725 ... def test_function(mock_exit, other, thing):
1726 ... assert 'other' in repr(other)
1727 ... assert 'thing' in repr(thing)
1728 ... assert 'exit' in repr(mock_exit)
1729 ...
1730 >>> test_function()
1731
Georg Brandl7ad3df62014-10-31 07:59:37 +01001732If :func:`patch.multiple` is used as a context manager, the value returned by the
Joan Massichdc69f692019-03-18 00:34:22 +01001733context manager is a dictionary where created mocks are keyed by name::
Michael Foorda9e6fb22012-03-28 14:36:02 +01001734
1735 >>> with patch.multiple('__main__', thing=DEFAULT, other=DEFAULT) as values:
1736 ... assert 'other' in repr(values['other'])
1737 ... assert 'thing' in repr(values['thing'])
1738 ... assert values['thing'] is thing
1739 ... assert values['other'] is other
1740 ...
1741
1742
1743.. _start-and-stop:
1744
1745patch methods: start and stop
Georg Brandlfb134382013-02-03 11:47:49 +01001746~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01001747
Georg Brandl7ad3df62014-10-31 07:59:37 +01001748All the patchers have :meth:`start` and :meth:`stop` methods. These make it simpler to do
1749patching in ``setUp`` methods or where you want to do multiple patches without
Michael Foorda9e6fb22012-03-28 14:36:02 +01001750nesting decorators or with statements.
1751
Georg Brandl7ad3df62014-10-31 07:59:37 +01001752To use them call :func:`patch`, :func:`patch.object` or :func:`patch.dict` as
1753normal and keep a reference to the returned ``patcher`` object. You can then
1754call :meth:`start` to put the patch in place and :meth:`stop` to undo it.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001755
Georg Brandl7ad3df62014-10-31 07:59:37 +01001756If you are using :func:`patch` to create a mock for you then it will be returned by
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001757the call to ``patcher.start``. ::
Michael Foorda9e6fb22012-03-28 14:36:02 +01001758
1759 >>> patcher = patch('package.module.ClassName')
1760 >>> from package import module
1761 >>> original = module.ClassName
1762 >>> new_mock = patcher.start()
1763 >>> assert module.ClassName is not original
1764 >>> assert module.ClassName is new_mock
1765 >>> patcher.stop()
1766 >>> assert module.ClassName is original
1767 >>> assert module.ClassName is not new_mock
1768
1769
Georg Brandl7ad3df62014-10-31 07:59:37 +01001770A typical use case for this might be for doing multiple patches in the ``setUp``
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001771method of a :class:`TestCase`::
Michael Foorda9e6fb22012-03-28 14:36:02 +01001772
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001773 >>> class MyTest(unittest.TestCase):
Michael Foorda9e6fb22012-03-28 14:36:02 +01001774 ... def setUp(self):
1775 ... self.patcher1 = patch('package.module.Class1')
1776 ... self.patcher2 = patch('package.module.Class2')
1777 ... self.MockClass1 = self.patcher1.start()
1778 ... self.MockClass2 = self.patcher2.start()
1779 ...
1780 ... def tearDown(self):
1781 ... self.patcher1.stop()
1782 ... self.patcher2.stop()
1783 ...
1784 ... def test_something(self):
1785 ... assert package.module.Class1 is self.MockClass1
1786 ... assert package.module.Class2 is self.MockClass2
1787 ...
1788 >>> MyTest('test_something').run()
1789
1790.. caution::
1791
1792 If you use this technique you must ensure that the patching is "undone" by
Georg Brandl7ad3df62014-10-31 07:59:37 +01001793 calling ``stop``. This can be fiddlier than you might think, because if an
Michael Foorda9e6fb22012-03-28 14:36:02 +01001794 exception is raised in the ``setUp`` then ``tearDown`` is not called.
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001795 :meth:`unittest.TestCase.addCleanup` makes this easier::
Michael Foorda9e6fb22012-03-28 14:36:02 +01001796
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001797 >>> class MyTest(unittest.TestCase):
Michael Foorda9e6fb22012-03-28 14:36:02 +01001798 ... def setUp(self):
1799 ... patcher = patch('package.module.Class')
1800 ... self.MockClass = patcher.start()
1801 ... self.addCleanup(patcher.stop)
1802 ...
1803 ... def test_something(self):
1804 ... assert package.module.Class is self.MockClass
1805 ...
1806
Georg Brandl7ad3df62014-10-31 07:59:37 +01001807 As an added bonus you no longer need to keep a reference to the ``patcher``
Michael Foorda9e6fb22012-03-28 14:36:02 +01001808 object.
1809
Michael Foordf7c41582012-06-10 20:36:32 +01001810It is also possible to stop all patches which have been started by using
Georg Brandl7ad3df62014-10-31 07:59:37 +01001811:func:`patch.stopall`.
Michael Foordf7c41582012-06-10 20:36:32 +01001812
1813.. function:: patch.stopall
1814
Georg Brandl7ad3df62014-10-31 07:59:37 +01001815 Stop all active patches. Only stops patches started with ``start``.
Michael Foorda9e6fb22012-03-28 14:36:02 +01001816
Georg Brandl7ad3df62014-10-31 07:59:37 +01001817
1818.. _patch-builtins:
Michael Foordfddcfa22014-04-14 16:25:20 -04001819
1820patch builtins
Georg Brandl7ad3df62014-10-31 07:59:37 +01001821~~~~~~~~~~~~~~
Michael Foordfddcfa22014-04-14 16:25:20 -04001822You can patch any builtins within a module. The following example patches
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001823builtin :func:`ord`::
Michael Foordfddcfa22014-04-14 16:25:20 -04001824
1825 >>> @patch('__main__.ord')
1826 ... def test(mock_ord):
1827 ... mock_ord.return_value = 101
1828 ... print(ord('c'))
1829 ...
1830 >>> test()
1831 101
1832
Michael Foorda9e6fb22012-03-28 14:36:02 +01001833
Emmanuel Arias31a82e22019-09-12 08:29:54 -03001834.. _test-prefix:
1835
Michael Foorda9e6fb22012-03-28 14:36:02 +01001836TEST_PREFIX
Georg Brandlfb134382013-02-03 11:47:49 +01001837~~~~~~~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01001838
1839All of the patchers can be used as class decorators. When used in this way
1840they wrap every test method on the class. The patchers recognise methods that
Georg Brandl7ad3df62014-10-31 07:59:37 +01001841start with ``'test'`` as being test methods. This is the same way that the
Michael Foorda9e6fb22012-03-28 14:36:02 +01001842:class:`unittest.TestLoader` finds test methods by default.
1843
1844It is possible that you want to use a different prefix for your tests. You can
Stéphane Wirtel859c0682018-10-12 09:51:05 +02001845inform the patchers of the different prefix by setting ``patch.TEST_PREFIX``::
Michael Foorda9e6fb22012-03-28 14:36:02 +01001846
1847 >>> patch.TEST_PREFIX = 'foo'
1848 >>> value = 3
1849 >>>
1850 >>> @patch('__main__.value', 'not three')
Ezio Melottic9cfcf12013-03-11 09:42:40 +02001851 ... class Thing:
Michael Foorda9e6fb22012-03-28 14:36:02 +01001852 ... def foo_one(self):
Berker Peksag920f6db2015-09-10 21:41:15 +03001853 ... print(value)
Michael Foorda9e6fb22012-03-28 14:36:02 +01001854 ... def foo_two(self):
Berker Peksag920f6db2015-09-10 21:41:15 +03001855 ... print(value)
Michael Foorda9e6fb22012-03-28 14:36:02 +01001856 ...
1857 >>>
1858 >>> Thing().foo_one()
1859 not three
1860 >>> Thing().foo_two()
1861 not three
1862 >>> value
1863 3
1864
1865
1866Nesting Patch Decorators
Georg Brandlfb134382013-02-03 11:47:49 +01001867~~~~~~~~~~~~~~~~~~~~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01001868
1869If you want to perform multiple patches then you can simply stack up the
1870decorators.
1871
1872You can stack up multiple patch decorators using this pattern:
1873
1874 >>> @patch.object(SomeClass, 'class_method')
1875 ... @patch.object(SomeClass, 'static_method')
1876 ... def test(mock1, mock2):
1877 ... assert SomeClass.static_method is mock1
1878 ... assert SomeClass.class_method is mock2
1879 ... SomeClass.static_method('foo')
1880 ... SomeClass.class_method('bar')
1881 ... return mock1, mock2
1882 ...
1883 >>> mock1, mock2 = test()
1884 >>> mock1.assert_called_once_with('foo')
1885 >>> mock2.assert_called_once_with('bar')
1886
1887
1888Note that the decorators are applied from the bottom upwards. This is the
1889standard way that Python applies decorators. The order of the created mocks
1890passed into your test function matches this order.
1891
1892
1893.. _where-to-patch:
1894
1895Where to patch
Georg Brandlfb134382013-02-03 11:47:49 +01001896~~~~~~~~~~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01001897
Georg Brandl7ad3df62014-10-31 07:59:37 +01001898:func:`patch` works by (temporarily) changing the object that a *name* points to with
Michael Foorda9e6fb22012-03-28 14:36:02 +01001899another one. There can be many names pointing to any individual object, so
1900for patching to work you must ensure that you patch the name used by the system
1901under test.
1902
1903The basic principle is that you patch where an object is *looked up*, which
1904is not necessarily the same place as where it is defined. A couple of
1905examples will help to clarify this.
1906
1907Imagine we have a project that we want to test with the following structure::
1908
1909 a.py
1910 -> Defines SomeClass
1911
1912 b.py
1913 -> from a import SomeClass
1914 -> some_function instantiates SomeClass
1915
Georg Brandl7ad3df62014-10-31 07:59:37 +01001916Now we want to test ``some_function`` but we want to mock out ``SomeClass`` using
1917:func:`patch`. The problem is that when we import module b, which we will have to
1918do then it imports ``SomeClass`` from module a. If we use :func:`patch` to mock out
1919``a.SomeClass`` then it will have no effect on our test; module b already has a
1920reference to the *real* ``SomeClass`` and it looks like our patching had no
Michael Foorda9e6fb22012-03-28 14:36:02 +01001921effect.
1922
Ben Lloyd15033d12017-05-22 12:06:56 +01001923The key is to patch out ``SomeClass`` where it is used (or where it is looked up).
1924In this case ``some_function`` will actually look up ``SomeClass`` in module b,
Michael Foorda9e6fb22012-03-28 14:36:02 +01001925where we have imported it. The patching should look like::
1926
1927 @patch('b.SomeClass')
1928
Georg Brandl7ad3df62014-10-31 07:59:37 +01001929However, consider the alternative scenario where instead of ``from a import
1930SomeClass`` module b does ``import a`` and ``some_function`` uses ``a.SomeClass``. Both
Michael Foorda9e6fb22012-03-28 14:36:02 +01001931of these import forms are common. In this case the class we want to patch is
Benjamin Peterson82f34ad2015-01-13 09:17:24 -05001932being looked up in the module and so we have to patch ``a.SomeClass`` instead::
Michael Foorda9e6fb22012-03-28 14:36:02 +01001933
1934 @patch('a.SomeClass')
1935
1936
1937Patching Descriptors and Proxy Objects
Georg Brandlfb134382013-02-03 11:47:49 +01001938~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01001939
1940Both patch_ and patch.object_ correctly patch and restore descriptors: class
1941methods, static methods and properties. You should patch these on the *class*
1942rather than an instance. They also work with *some* objects
Zachary Ware5ea5d2c2014-02-26 09:34:43 -06001943that proxy attribute access, like the `django settings object
Michael Foorda9e6fb22012-03-28 14:36:02 +01001944<http://www.voidspace.org.uk/python/weblog/arch_d7_2010_12_04.shtml#e1198>`_.
1945
1946
Michael Foord2309ed82012-03-28 15:38:36 +01001947MagicMock and magic method support
Georg Brandlfb134382013-02-03 11:47:49 +01001948----------------------------------
Michael Foord2309ed82012-03-28 15:38:36 +01001949
1950.. _magic-methods:
1951
1952Mocking Magic Methods
Georg Brandlfb134382013-02-03 11:47:49 +01001953~~~~~~~~~~~~~~~~~~~~~
Michael Foord2309ed82012-03-28 15:38:36 +01001954
1955:class:`Mock` supports mocking the Python protocol methods, also known as
1956"magic methods". This allows mock objects to replace containers or other
1957objects that implement Python protocols.
1958
1959Because magic methods are looked up differently from normal methods [#]_, this
1960support has been specially implemented. This means that only specific magic
1961methods are supported. The supported list includes *almost* all of them. If
1962there are any missing that you need please let us know.
1963
1964You mock magic methods by setting the method you are interested in to a function
1965or a mock instance. If you are using a function then it *must* take ``self`` as
1966the first argument [#]_.
1967
1968 >>> def __str__(self):
1969 ... return 'fooble'
1970 ...
1971 >>> mock = Mock()
1972 >>> mock.__str__ = __str__
1973 >>> str(mock)
1974 'fooble'
1975
1976 >>> mock = Mock()
1977 >>> mock.__str__ = Mock()
1978 >>> mock.__str__.return_value = 'fooble'
1979 >>> str(mock)
1980 'fooble'
1981
1982 >>> mock = Mock()
1983 >>> mock.__iter__ = Mock(return_value=iter([]))
1984 >>> list(mock)
1985 []
1986
1987One use case for this is for mocking objects used as context managers in a
Georg Brandl7ad3df62014-10-31 07:59:37 +01001988:keyword:`with` statement:
Michael Foord2309ed82012-03-28 15:38:36 +01001989
1990 >>> mock = Mock()
1991 >>> mock.__enter__ = Mock(return_value='foo')
1992 >>> mock.__exit__ = Mock(return_value=False)
1993 >>> with mock as m:
1994 ... assert m == 'foo'
1995 ...
1996 >>> mock.__enter__.assert_called_with()
1997 >>> mock.__exit__.assert_called_with(None, None, None)
1998
1999Calls to magic methods do not appear in :attr:`~Mock.method_calls`, but they
2000are recorded in :attr:`~Mock.mock_calls`.
2001
2002.. note::
2003
Georg Brandl7ad3df62014-10-31 07:59:37 +01002004 If you use the *spec* keyword argument to create a mock then attempting to
2005 set a magic method that isn't in the spec will raise an :exc:`AttributeError`.
Michael Foord2309ed82012-03-28 15:38:36 +01002006
2007The full list of supported magic methods is:
2008
2009* ``__hash__``, ``__sizeof__``, ``__repr__`` and ``__str__``
2010* ``__dir__``, ``__format__`` and ``__subclasses__``
John Reese6c4fab02018-05-22 13:01:10 -07002011* ``__round__``, ``__floor__``, ``__trunc__`` and ``__ceil__``
Serhiy Storchakaa60c2fe2015-03-12 21:56:08 +02002012* Comparisons: ``__lt__``, ``__gt__``, ``__le__``, ``__ge__``,
Michael Foord2309ed82012-03-28 15:38:36 +01002013 ``__eq__`` and ``__ne__``
2014* Container methods: ``__getitem__``, ``__setitem__``, ``__delitem__``,
Serhiy Storchakaa60c2fe2015-03-12 21:56:08 +02002015 ``__contains__``, ``__len__``, ``__iter__``, ``__reversed__``
2016 and ``__missing__``
Xtreak0ae022c2019-05-29 12:32:26 +05302017* Context manager: ``__enter__``, ``__exit__``, ``__aenter__`` and ``__aexit__``
Michael Foord2309ed82012-03-28 15:38:36 +01002018* Unary numeric methods: ``__neg__``, ``__pos__`` and ``__invert__``
2019* The numeric methods (including right hand and in-place variants):
Serhiy Storchakac2ccce72015-03-12 22:01:30 +02002020 ``__add__``, ``__sub__``, ``__mul__``, ``__matmul__``, ``__div__``, ``__truediv__``,
Michael Foord2309ed82012-03-28 15:38:36 +01002021 ``__floordiv__``, ``__mod__``, ``__divmod__``, ``__lshift__``,
2022 ``__rshift__``, ``__and__``, ``__xor__``, ``__or__``, and ``__pow__``
Serhiy Storchakaa60c2fe2015-03-12 21:56:08 +02002023* Numeric conversion methods: ``__complex__``, ``__int__``, ``__float__``
2024 and ``__index__``
Michael Foord2309ed82012-03-28 15:38:36 +01002025* Descriptor methods: ``__get__``, ``__set__`` and ``__delete__``
2026* Pickling: ``__reduce__``, ``__reduce_ex__``, ``__getinitargs__``,
2027 ``__getnewargs__``, ``__getstate__`` and ``__setstate__``
Max Bélanger6c83d9f2018-10-25 14:48:58 -07002028* File system path representation: ``__fspath__``
Xtreakff6b2e62019-05-27 18:26:23 +05302029* Asynchronous iteration methods: ``__aiter__`` and ``__anext__``
Max Bélanger6c83d9f2018-10-25 14:48:58 -07002030
2031.. versionchanged:: 3.8
2032 Added support for :func:`os.PathLike.__fspath__`.
Michael Foord2309ed82012-03-28 15:38:36 +01002033
Xtreakff6b2e62019-05-27 18:26:23 +05302034.. versionchanged:: 3.8
2035 Added support for ``__aenter__``, ``__aexit__``, ``__aiter__`` and ``__anext__``.
2036
Michael Foord2309ed82012-03-28 15:38:36 +01002037
2038The following methods exist but are *not* supported as they are either in use
2039by mock, can't be set dynamically, or can cause problems:
2040
2041* ``__getattr__``, ``__setattr__``, ``__init__`` and ``__new__``
2042* ``__prepare__``, ``__instancecheck__``, ``__subclasscheck__``, ``__del__``
2043
2044
2045
2046Magic Mock
Georg Brandlfb134382013-02-03 11:47:49 +01002047~~~~~~~~~~
Michael Foord2309ed82012-03-28 15:38:36 +01002048
Georg Brandl7ad3df62014-10-31 07:59:37 +01002049There are two ``MagicMock`` variants: :class:`MagicMock` and :class:`NonCallableMagicMock`.
Michael Foord2309ed82012-03-28 15:38:36 +01002050
2051
2052.. class:: MagicMock(*args, **kw)
2053
2054 ``MagicMock`` is a subclass of :class:`Mock` with default implementations
2055 of most of the magic methods. You can use ``MagicMock`` without having to
2056 configure the magic methods yourself.
2057
2058 The constructor parameters have the same meaning as for :class:`Mock`.
2059
Georg Brandl7ad3df62014-10-31 07:59:37 +01002060 If you use the *spec* or *spec_set* arguments then *only* magic methods
Michael Foord2309ed82012-03-28 15:38:36 +01002061 that exist in the spec will be created.
2062
2063
2064.. class:: NonCallableMagicMock(*args, **kw)
2065
Georg Brandl7ad3df62014-10-31 07:59:37 +01002066 A non-callable version of :class:`MagicMock`.
Michael Foord2309ed82012-03-28 15:38:36 +01002067
2068 The constructor parameters have the same meaning as for
Georg Brandl7ad3df62014-10-31 07:59:37 +01002069 :class:`MagicMock`, with the exception of *return_value* and
2070 *side_effect* which have no meaning on a non-callable mock.
Michael Foord2309ed82012-03-28 15:38:36 +01002071
Georg Brandl7ad3df62014-10-31 07:59:37 +01002072The magic methods are setup with :class:`MagicMock` objects, so you can configure them
Michael Foord2309ed82012-03-28 15:38:36 +01002073and use them in the usual way:
2074
2075 >>> mock = MagicMock()
2076 >>> mock[3] = 'fish'
2077 >>> mock.__setitem__.assert_called_with(3, 'fish')
2078 >>> mock.__getitem__.return_value = 'result'
2079 >>> mock[2]
2080 'result'
2081
2082By default many of the protocol methods are required to return objects of a
2083specific type. These methods are preconfigured with a default return value, so
2084that they can be used without you having to do anything if you aren't interested
2085in the return value. You can still *set* the return value manually if you want
2086to change the default.
2087
2088Methods and their defaults:
2089
Serhiy Storchaka138ccbb2019-11-12 16:57:03 +02002090* ``__lt__``: ``NotImplemented``
2091* ``__gt__``: ``NotImplemented``
2092* ``__le__``: ``NotImplemented``
2093* ``__ge__``: ``NotImplemented``
2094* ``__int__``: ``1``
2095* ``__contains__``: ``False``
2096* ``__len__``: ``0``
2097* ``__iter__``: ``iter([])``
2098* ``__exit__``: ``False``
2099* ``__aexit__``: ``False``
2100* ``__complex__``: ``1j``
2101* ``__float__``: ``1.0``
2102* ``__bool__``: ``True``
2103* ``__index__``: ``1``
Serhiy Storchakaf47036c2013-12-24 11:04:36 +02002104* ``__hash__``: default hash for the mock
2105* ``__str__``: default str for the mock
Michael Foord2309ed82012-03-28 15:38:36 +01002106* ``__sizeof__``: default sizeof for the mock
2107
2108For example:
2109
2110 >>> mock = MagicMock()
2111 >>> int(mock)
2112 1
2113 >>> len(mock)
2114 0
2115 >>> list(mock)
2116 []
2117 >>> object() in mock
2118 False
2119
Berker Peksag283f1aa2015-01-07 21:15:02 +02002120The two equality methods, :meth:`__eq__` and :meth:`__ne__`, are special.
2121They do the default equality comparison on identity, using the
2122:attr:`~Mock.side_effect` attribute, unless you change their return value to
2123return something else::
Michael Foord2309ed82012-03-28 15:38:36 +01002124
2125 >>> MagicMock() == 3
2126 False
2127 >>> MagicMock() != 3
2128 True
2129 >>> mock = MagicMock()
2130 >>> mock.__eq__.return_value = True
2131 >>> mock == 3
2132 True
2133
Georg Brandl7ad3df62014-10-31 07:59:37 +01002134The return value of :meth:`MagicMock.__iter__` can be any iterable object and isn't
Michael Foord2309ed82012-03-28 15:38:36 +01002135required to be an iterator:
2136
2137 >>> mock = MagicMock()
2138 >>> mock.__iter__.return_value = ['a', 'b', 'c']
2139 >>> list(mock)
2140 ['a', 'b', 'c']
2141 >>> list(mock)
2142 ['a', 'b', 'c']
2143
2144If the return value *is* an iterator, then iterating over it once will consume
2145it and subsequent iterations will result in an empty list:
2146
2147 >>> mock.__iter__.return_value = iter(['a', 'b', 'c'])
2148 >>> list(mock)
2149 ['a', 'b', 'c']
2150 >>> list(mock)
2151 []
2152
2153``MagicMock`` has all of the supported magic methods configured except for some
2154of the obscure and obsolete ones. You can still set these up if you want.
2155
2156Magic methods that are supported but not setup by default in ``MagicMock`` are:
2157
2158* ``__subclasses__``
2159* ``__dir__``
2160* ``__format__``
2161* ``__get__``, ``__set__`` and ``__delete__``
2162* ``__reversed__`` and ``__missing__``
2163* ``__reduce__``, ``__reduce_ex__``, ``__getinitargs__``, ``__getnewargs__``,
2164 ``__getstate__`` and ``__setstate__``
2165* ``__getformat__`` and ``__setformat__``
2166
2167
2168
2169.. [#] Magic methods *should* be looked up on the class rather than the
2170 instance. Different versions of Python are inconsistent about applying this
2171 rule. The supported protocol methods should work with all supported versions
2172 of Python.
2173.. [#] The function is basically hooked up to the class, but each ``Mock``
2174 instance is kept isolated from the others.
2175
2176
Michael Foorda9e6fb22012-03-28 14:36:02 +01002177Helpers
Georg Brandlfb134382013-02-03 11:47:49 +01002178-------
Michael Foorda9e6fb22012-03-28 14:36:02 +01002179
2180sentinel
Georg Brandlfb134382013-02-03 11:47:49 +01002181~~~~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01002182
2183.. data:: sentinel
2184
Andrés Delfinof85af032018-07-08 21:28:51 -03002185 The ``sentinel`` object provides a convenient way of providing unique
2186 objects for your tests.
Michael Foorda9e6fb22012-03-28 14:36:02 +01002187
Andrés Delfinof85af032018-07-08 21:28:51 -03002188 Attributes are created on demand when you access them by name. Accessing
2189 the same attribute will always return the same object. The objects
2190 returned have a sensible repr so that test failure messages are readable.
Michael Foorda9e6fb22012-03-28 14:36:02 +01002191
Serhiy Storchakad9c956f2017-01-11 20:13:03 +02002192 .. versionchanged:: 3.7
2193 The ``sentinel`` attributes now preserve their identity when they are
2194 :mod:`copied <copy>` or :mod:`pickled <pickle>`.
2195
Michael Foorda9e6fb22012-03-28 14:36:02 +01002196Sometimes when testing you need to test that a specific object is passed as an
2197argument to another method, or returned. It can be common to create named
Georg Brandl7ad3df62014-10-31 07:59:37 +01002198sentinel objects to test this. :data:`sentinel` provides a convenient way of
Michael Foorda9e6fb22012-03-28 14:36:02 +01002199creating and testing the identity of objects like this.
2200
Georg Brandl7ad3df62014-10-31 07:59:37 +01002201In this example we monkey patch ``method`` to return ``sentinel.some_object``:
Michael Foorda9e6fb22012-03-28 14:36:02 +01002202
2203 >>> real = ProductionClass()
2204 >>> real.method = Mock(name="method")
2205 >>> real.method.return_value = sentinel.some_object
2206 >>> result = real.method()
2207 >>> assert result is sentinel.some_object
2208 >>> sentinel.some_object
2209 sentinel.some_object
2210
2211
2212DEFAULT
Georg Brandlfb134382013-02-03 11:47:49 +01002213~~~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01002214
2215
2216.. data:: DEFAULT
2217
Georg Brandl7ad3df62014-10-31 07:59:37 +01002218 The :data:`DEFAULT` object is a pre-created sentinel (actually
2219 ``sentinel.DEFAULT``). It can be used by :attr:`~Mock.side_effect`
Michael Foorda9e6fb22012-03-28 14:36:02 +01002220 functions to indicate that the normal return value should be used.
2221
2222
Michael Foorda9e6fb22012-03-28 14:36:02 +01002223call
Georg Brandlfb134382013-02-03 11:47:49 +01002224~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01002225
2226.. function:: call(*args, **kwargs)
2227
Georg Brandl7ad3df62014-10-31 07:59:37 +01002228 :func:`call` is a helper object for making simpler assertions, for comparing with
Georg Brandl24891672012-04-01 13:48:26 +02002229 :attr:`~Mock.call_args`, :attr:`~Mock.call_args_list`,
Georg Brandl7ad3df62014-10-31 07:59:37 +01002230 :attr:`~Mock.mock_calls` and :attr:`~Mock.method_calls`. :func:`call` can also be
Michael Foorda9e6fb22012-03-28 14:36:02 +01002231 used with :meth:`~Mock.assert_has_calls`.
2232
2233 >>> m = MagicMock(return_value=None)
2234 >>> m(1, 2, a='foo', b='bar')
2235 >>> m()
2236 >>> m.call_args_list == [call(1, 2, a='foo', b='bar'), call()]
2237 True
2238
2239.. method:: call.call_list()
2240
Georg Brandl7ad3df62014-10-31 07:59:37 +01002241 For a call object that represents multiple calls, :meth:`call_list`
Michael Foorda9e6fb22012-03-28 14:36:02 +01002242 returns a list of all the intermediate calls as well as the
2243 final call.
2244
Georg Brandl7ad3df62014-10-31 07:59:37 +01002245``call_list`` is particularly useful for making assertions on "chained calls". A
Michael Foorda9e6fb22012-03-28 14:36:02 +01002246chained call is multiple calls on a single line of code. This results in
2247multiple entries in :attr:`~Mock.mock_calls` on a mock. Manually constructing
2248the sequence of calls can be tedious.
2249
2250:meth:`~call.call_list` can construct the sequence of calls from the same
2251chained call:
2252
2253 >>> m = MagicMock()
2254 >>> m(1).method(arg='foo').other('bar')(2.0)
2255 <MagicMock name='mock().method().other()()' id='...'>
2256 >>> kall = call(1).method(arg='foo').other('bar')(2.0)
2257 >>> kall.call_list()
2258 [call(1),
2259 call().method(arg='foo'),
2260 call().method().other('bar'),
2261 call().method().other()(2.0)]
2262 >>> m.mock_calls == kall.call_list()
2263 True
2264
2265.. _calls-as-tuples:
2266
Georg Brandl7ad3df62014-10-31 07:59:37 +01002267A ``call`` object is either a tuple of (positional args, keyword args) or
Michael Foorda9e6fb22012-03-28 14:36:02 +01002268(name, positional args, keyword args) depending on how it was constructed. When
Georg Brandl7ad3df62014-10-31 07:59:37 +01002269you construct them yourself this isn't particularly interesting, but the ``call``
Michael Foorda9e6fb22012-03-28 14:36:02 +01002270objects that are in the :attr:`Mock.call_args`, :attr:`Mock.call_args_list` and
2271:attr:`Mock.mock_calls` attributes can be introspected to get at the individual
2272arguments they contain.
2273
Georg Brandl7ad3df62014-10-31 07:59:37 +01002274The ``call`` objects in :attr:`Mock.call_args` and :attr:`Mock.call_args_list`
2275are two-tuples of (positional args, keyword args) whereas the ``call`` objects
Michael Foorda9e6fb22012-03-28 14:36:02 +01002276in :attr:`Mock.mock_calls`, along with ones you construct yourself, are
2277three-tuples of (name, positional args, keyword args).
2278
2279You can use their "tupleness" to pull out the individual arguments for more
2280complex introspection and assertions. The positional arguments are a tuple
2281(an empty tuple if there are no positional arguments) and the keyword
2282arguments are a dictionary:
2283
2284 >>> m = MagicMock(return_value=None)
2285 >>> m(1, 2, 3, arg='one', arg2='two')
2286 >>> kall = m.call_args
Kumar Akshayb0df45e2019-03-22 13:40:40 +05302287 >>> kall.args
Michael Foorda9e6fb22012-03-28 14:36:02 +01002288 (1, 2, 3)
Kumar Akshayb0df45e2019-03-22 13:40:40 +05302289 >>> kall.kwargs
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002290 {'arg': 'one', 'arg2': 'two'}
Kumar Akshayb0df45e2019-03-22 13:40:40 +05302291 >>> kall.args is kall[0]
Michael Foorda9e6fb22012-03-28 14:36:02 +01002292 True
Kumar Akshayb0df45e2019-03-22 13:40:40 +05302293 >>> kall.kwargs is kall[1]
Michael Foorda9e6fb22012-03-28 14:36:02 +01002294 True
2295
2296 >>> m = MagicMock()
2297 >>> m.foo(4, 5, 6, arg='two', arg2='three')
2298 <MagicMock name='mock.foo()' id='...'>
2299 >>> kall = m.mock_calls[0]
2300 >>> name, args, kwargs = kall
2301 >>> name
2302 'foo'
2303 >>> args
2304 (4, 5, 6)
2305 >>> kwargs
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002306 {'arg': 'two', 'arg2': 'three'}
Michael Foorda9e6fb22012-03-28 14:36:02 +01002307 >>> name is m.mock_calls[0][0]
2308 True
2309
2310
2311create_autospec
Georg Brandlfb134382013-02-03 11:47:49 +01002312~~~~~~~~~~~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01002313
2314.. function:: create_autospec(spec, spec_set=False, instance=False, **kwargs)
2315
2316 Create a mock object using another object as a spec. Attributes on the
Georg Brandl7ad3df62014-10-31 07:59:37 +01002317 mock will use the corresponding attribute on the *spec* object as their
Michael Foorda9e6fb22012-03-28 14:36:02 +01002318 spec.
2319
2320 Functions or methods being mocked will have their arguments checked to
2321 ensure that they are called with the correct signature.
2322
Georg Brandl7ad3df62014-10-31 07:59:37 +01002323 If *spec_set* is ``True`` then attempting to set attributes that don't exist
2324 on the spec object will raise an :exc:`AttributeError`.
Michael Foorda9e6fb22012-03-28 14:36:02 +01002325
2326 If a class is used as a spec then the return value of the mock (the
2327 instance of the class) will have the same spec. You can use a class as the
Georg Brandl7ad3df62014-10-31 07:59:37 +01002328 spec for an instance object by passing ``instance=True``. The returned mock
Michael Foorda9e6fb22012-03-28 14:36:02 +01002329 will only be callable if instances of the mock are callable.
2330
Georg Brandl7ad3df62014-10-31 07:59:37 +01002331 :func:`create_autospec` also takes arbitrary keyword arguments that are passed to
Michael Foorda9e6fb22012-03-28 14:36:02 +01002332 the constructor of the created mock.
2333
2334See :ref:`auto-speccing` for examples of how to use auto-speccing with
Georg Brandl7ad3df62014-10-31 07:59:37 +01002335:func:`create_autospec` and the *autospec* argument to :func:`patch`.
Michael Foorda9e6fb22012-03-28 14:36:02 +01002336
2337
Mario Corcherof5e7f392019-09-09 15:18:06 +01002338.. versionchanged:: 3.8
2339
2340 :func:`create_autospec` now returns an :class:`AsyncMock` if the target is
2341 an async function.
2342
2343
Michael Foorda9e6fb22012-03-28 14:36:02 +01002344ANY
Georg Brandlfb134382013-02-03 11:47:49 +01002345~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01002346
2347.. data:: ANY
2348
2349Sometimes you may need to make assertions about *some* of the arguments in a
2350call to mock, but either not care about some of the arguments or want to pull
2351them individually out of :attr:`~Mock.call_args` and make more complex
2352assertions on them.
2353
2354To ignore certain arguments you can pass in objects that compare equal to
2355*everything*. Calls to :meth:`~Mock.assert_called_with` and
2356:meth:`~Mock.assert_called_once_with` will then succeed no matter what was
2357passed in.
2358
2359 >>> mock = Mock(return_value=None)
2360 >>> mock('foo', bar=object())
2361 >>> mock.assert_called_once_with('foo', bar=ANY)
2362
Georg Brandl7ad3df62014-10-31 07:59:37 +01002363:data:`ANY` can also be used in comparisons with call lists like
Michael Foorda9e6fb22012-03-28 14:36:02 +01002364:attr:`~Mock.mock_calls`:
2365
2366 >>> m = MagicMock(return_value=None)
2367 >>> m(1)
2368 >>> m(1, 2)
2369 >>> m(object())
2370 >>> m.mock_calls == [call(1), call(1, 2), ANY]
2371 True
2372
2373
2374
2375FILTER_DIR
Georg Brandlfb134382013-02-03 11:47:49 +01002376~~~~~~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01002377
2378.. data:: FILTER_DIR
2379
Georg Brandl7ad3df62014-10-31 07:59:37 +01002380:data:`FILTER_DIR` is a module level variable that controls the way mock objects
2381respond to :func:`dir` (only for Python 2.6 or more recent). The default is ``True``,
Michael Foorda9e6fb22012-03-28 14:36:02 +01002382which uses the filtering described below, to only show useful members. If you
2383dislike this filtering, or need to switch it off for diagnostic purposes, then
Georg Brandl7ad3df62014-10-31 07:59:37 +01002384set ``mock.FILTER_DIR = False``.
Michael Foorda9e6fb22012-03-28 14:36:02 +01002385
Georg Brandl7ad3df62014-10-31 07:59:37 +01002386With filtering on, ``dir(some_mock)`` shows only useful attributes and will
Michael Foorda9e6fb22012-03-28 14:36:02 +01002387include any dynamically created attributes that wouldn't normally be shown.
Georg Brandl7ad3df62014-10-31 07:59:37 +01002388If the mock was created with a *spec* (or *autospec* of course) then all the
Michael Foorda9e6fb22012-03-28 14:36:02 +01002389attributes from the original are shown, even if they haven't been accessed
2390yet:
2391
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002392.. doctest::
2393 :options: +ELLIPSIS,+NORMALIZE_WHITESPACE
2394
Michael Foorda9e6fb22012-03-28 14:36:02 +01002395 >>> dir(Mock())
2396 ['assert_any_call',
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002397 'assert_called',
2398 'assert_called_once',
Michael Foorda9e6fb22012-03-28 14:36:02 +01002399 'assert_called_once_with',
2400 'assert_called_with',
2401 'assert_has_calls',
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002402 'assert_not_called',
Michael Foorda9e6fb22012-03-28 14:36:02 +01002403 'attach_mock',
2404 ...
2405 >>> from urllib import request
2406 >>> dir(Mock(spec=request))
2407 ['AbstractBasicAuthHandler',
2408 'AbstractDigestAuthHandler',
2409 'AbstractHTTPHandler',
2410 'BaseHandler',
2411 ...
2412
Georg Brandl7ad3df62014-10-31 07:59:37 +01002413Many of the not-very-useful (private to :class:`Mock` rather than the thing being
Michael Foorda9e6fb22012-03-28 14:36:02 +01002414mocked) underscore and double underscore prefixed attributes have been
Georg Brandl7ad3df62014-10-31 07:59:37 +01002415filtered from the result of calling :func:`dir` on a :class:`Mock`. If you dislike this
Michael Foorda9e6fb22012-03-28 14:36:02 +01002416behaviour you can switch it off by setting the module level switch
Georg Brandl7ad3df62014-10-31 07:59:37 +01002417:data:`FILTER_DIR`:
Michael Foorda9e6fb22012-03-28 14:36:02 +01002418
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002419.. doctest::
2420 :options: +ELLIPSIS,+NORMALIZE_WHITESPACE
2421
Michael Foorda9e6fb22012-03-28 14:36:02 +01002422 >>> from unittest import mock
2423 >>> mock.FILTER_DIR = False
2424 >>> dir(mock.Mock())
2425 ['_NonCallableMock__get_return_value',
2426 '_NonCallableMock__get_side_effect',
2427 '_NonCallableMock__return_value_doc',
2428 '_NonCallableMock__set_return_value',
2429 '_NonCallableMock__set_side_effect',
2430 '__call__',
2431 '__class__',
2432 ...
2433
Georg Brandl7ad3df62014-10-31 07:59:37 +01002434Alternatively you can just use ``vars(my_mock)`` (instance members) and
2435``dir(type(my_mock))`` (type members) to bypass the filtering irrespective of
2436:data:`mock.FILTER_DIR`.
Michael Foorda9e6fb22012-03-28 14:36:02 +01002437
2438
2439mock_open
Georg Brandlfb134382013-02-03 11:47:49 +01002440~~~~~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01002441
2442.. function:: mock_open(mock=None, read_data=None)
2443
Andrés Delfinof85af032018-07-08 21:28:51 -03002444 A helper function to create a mock to replace the use of :func:`open`. It works
2445 for :func:`open` called directly or used as a context manager.
Michael Foorda9e6fb22012-03-28 14:36:02 +01002446
Andrés Delfinof85af032018-07-08 21:28:51 -03002447 The *mock* argument is the mock object to configure. If ``None`` (the
2448 default) then a :class:`MagicMock` will be created for you, with the API limited
2449 to methods or attributes available on standard file handles.
Michael Foorda9e6fb22012-03-28 14:36:02 +01002450
Andrés Delfinof85af032018-07-08 21:28:51 -03002451 *read_data* is a string for the :meth:`~io.IOBase.read`,
2452 :meth:`~io.IOBase.readline`, and :meth:`~io.IOBase.readlines` methods
2453 of the file handle to return. Calls to those methods will take data from
2454 *read_data* until it is depleted. The mock of these methods is pretty
2455 simplistic: every time the *mock* is called, the *read_data* is rewound to
2456 the start. If you need more control over the data that you are feeding to
2457 the tested code you will need to customize this mock for yourself. When that
2458 is insufficient, one of the in-memory filesystem packages on `PyPI
2459 <https://pypi.org>`_ can offer a realistic filesystem for testing.
Michael Foorda9e6fb22012-03-28 14:36:02 +01002460
Robert Collinsf79dfe32015-07-24 04:09:59 +12002461 .. versionchanged:: 3.4
2462 Added :meth:`~io.IOBase.readline` and :meth:`~io.IOBase.readlines` support.
2463 The mock of :meth:`~io.IOBase.read` changed to consume *read_data* rather
2464 than returning it on each call.
2465
Robert Collins70398392015-07-24 04:10:27 +12002466 .. versionchanged:: 3.5
Robert Collinsf79dfe32015-07-24 04:09:59 +12002467 *read_data* is now reset on each call to the *mock*.
2468
Tony Flury20870232018-09-12 23:21:16 +01002469 .. versionchanged:: 3.8
2470 Added :meth:`__iter__` to implementation so that iteration (such as in for
2471 loops) correctly consumes *read_data*.
2472
Georg Brandl7ad3df62014-10-31 07:59:37 +01002473Using :func:`open` as a context manager is a great way to ensure your file handles
Michael Foorda9e6fb22012-03-28 14:36:02 +01002474are closed properly and is becoming common::
2475
2476 with open('/some/path', 'w') as f:
2477 f.write('something')
2478
Georg Brandl7ad3df62014-10-31 07:59:37 +01002479The issue is that even if you mock out the call to :func:`open` it is the
2480*returned object* that is used as a context manager (and has :meth:`__enter__` and
2481:meth:`__exit__` called).
Michael Foorda9e6fb22012-03-28 14:36:02 +01002482
2483Mocking context managers with a :class:`MagicMock` is common enough and fiddly
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002484enough that a helper function is useful. ::
Michael Foorda9e6fb22012-03-28 14:36:02 +01002485
2486 >>> m = mock_open()
Michael Foordfddcfa22014-04-14 16:25:20 -04002487 >>> with patch('__main__.open', m):
Michael Foorda9e6fb22012-03-28 14:36:02 +01002488 ... with open('foo', 'w') as h:
2489 ... h.write('some stuff')
2490 ...
2491 >>> m.mock_calls
2492 [call('foo', 'w'),
2493 call().__enter__(),
2494 call().write('some stuff'),
2495 call().__exit__(None, None, None)]
2496 >>> m.assert_called_once_with('foo', 'w')
2497 >>> handle = m()
2498 >>> handle.write.assert_called_once_with('some stuff')
2499
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002500And for reading files::
Michael Foorda9e6fb22012-03-28 14:36:02 +01002501
Michael Foordfddcfa22014-04-14 16:25:20 -04002502 >>> with patch('__main__.open', mock_open(read_data='bibble')) as m:
Michael Foorda9e6fb22012-03-28 14:36:02 +01002503 ... with open('foo') as h:
2504 ... result = h.read()
2505 ...
2506 >>> m.assert_called_once_with('foo')
2507 >>> assert result == 'bibble'
2508
2509
2510.. _auto-speccing:
2511
2512Autospeccing
Georg Brandlfb134382013-02-03 11:47:49 +01002513~~~~~~~~~~~~
Michael Foorda9e6fb22012-03-28 14:36:02 +01002514
Georg Brandl7ad3df62014-10-31 07:59:37 +01002515Autospeccing is based on the existing :attr:`spec` feature of mock. It limits the
Michael Foorda9e6fb22012-03-28 14:36:02 +01002516api of mocks to the api of an original object (the spec), but it is recursive
2517(implemented lazily) so that attributes of mocks only have the same api as
2518the attributes of the spec. In addition mocked functions / methods have the
Georg Brandl7ad3df62014-10-31 07:59:37 +01002519same call signature as the original so they raise a :exc:`TypeError` if they are
Michael Foorda9e6fb22012-03-28 14:36:02 +01002520called incorrectly.
2521
2522Before I explain how auto-speccing works, here's why it is needed.
2523
Georg Brandl7ad3df62014-10-31 07:59:37 +01002524:class:`Mock` is a very powerful and flexible object, but it suffers from two flaws
Michael Foorda9e6fb22012-03-28 14:36:02 +01002525when used to mock out objects from a system under test. One of these flaws is
Georg Brandl7ad3df62014-10-31 07:59:37 +01002526specific to the :class:`Mock` api and the other is a more general problem with using
Michael Foorda9e6fb22012-03-28 14:36:02 +01002527mock objects.
2528
Georg Brandl7ad3df62014-10-31 07:59:37 +01002529First the problem specific to :class:`Mock`. :class:`Mock` has two assert methods that are
Michael Foorda9e6fb22012-03-28 14:36:02 +01002530extremely handy: :meth:`~Mock.assert_called_with` and
2531:meth:`~Mock.assert_called_once_with`.
2532
2533 >>> mock = Mock(name='Thing', return_value=None)
2534 >>> mock(1, 2, 3)
2535 >>> mock.assert_called_once_with(1, 2, 3)
2536 >>> mock(1, 2, 3)
2537 >>> mock.assert_called_once_with(1, 2, 3)
2538 Traceback (most recent call last):
2539 ...
Michael Foord28d591c2012-09-28 16:15:22 +01002540 AssertionError: Expected 'mock' to be called once. Called 2 times.
Michael Foorda9e6fb22012-03-28 14:36:02 +01002541
2542Because mocks auto-create attributes on demand, and allow you to call them
2543with arbitrary arguments, if you misspell one of these assert methods then
2544your assertion is gone:
2545
2546.. code-block:: pycon
2547
2548 >>> mock = Mock(name='Thing', return_value=None)
2549 >>> mock(1, 2, 3)
2550 >>> mock.assret_called_once_with(4, 5, 6)
2551
2552Your tests can pass silently and incorrectly because of the typo.
2553
2554The second issue is more general to mocking. If you refactor some of your
2555code, rename members and so on, any tests for code that is still using the
2556*old api* but uses mocks instead of the real objects will still pass. This
2557means your tests can all pass even though your code is broken.
2558
2559Note that this is another reason why you need integration tests as well as
2560unit tests. Testing everything in isolation is all fine and dandy, but if you
2561don't test how your units are "wired together" there is still lots of room
2562for bugs that tests might have caught.
2563
Georg Brandl7ad3df62014-10-31 07:59:37 +01002564:mod:`mock` already provides a feature to help with this, called speccing. If you
2565use a class or instance as the :attr:`spec` for a mock then you can only access
Michael Foorda9e6fb22012-03-28 14:36:02 +01002566attributes on the mock that exist on the real class:
2567
2568 >>> from urllib import request
2569 >>> mock = Mock(spec=request.Request)
2570 >>> mock.assret_called_with
2571 Traceback (most recent call last):
2572 ...
2573 AttributeError: Mock object has no attribute 'assret_called_with'
2574
2575The spec only applies to the mock itself, so we still have the same issue
2576with any methods on the mock:
2577
2578.. code-block:: pycon
2579
2580 >>> mock.has_data()
2581 <mock.Mock object at 0x...>
2582 >>> mock.has_data.assret_called_with()
2583
Georg Brandl7ad3df62014-10-31 07:59:37 +01002584Auto-speccing solves this problem. You can either pass ``autospec=True`` to
2585:func:`patch` / :func:`patch.object` or use the :func:`create_autospec` function to create a
2586mock with a spec. If you use the ``autospec=True`` argument to :func:`patch` then the
Michael Foorda9e6fb22012-03-28 14:36:02 +01002587object that is being replaced will be used as the spec object. Because the
2588speccing is done "lazily" (the spec is created as attributes on the mock are
2589accessed) you can use it with very complex or deeply nested objects (like
2590modules that import modules that import modules) without a big performance
2591hit.
2592
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002593Here's an example of it in use::
Michael Foorda9e6fb22012-03-28 14:36:02 +01002594
2595 >>> from urllib import request
2596 >>> patcher = patch('__main__.request', autospec=True)
2597 >>> mock_request = patcher.start()
2598 >>> request is mock_request
2599 True
2600 >>> mock_request.Request
2601 <MagicMock name='request.Request' spec='Request' id='...'>
2602
Georg Brandl7ad3df62014-10-31 07:59:37 +01002603You can see that :class:`request.Request` has a spec. :class:`request.Request` takes two
2604arguments in the constructor (one of which is *self*). Here's what happens if
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002605we try to call it incorrectly::
Michael Foorda9e6fb22012-03-28 14:36:02 +01002606
2607 >>> req = request.Request()
2608 Traceback (most recent call last):
2609 ...
2610 TypeError: <lambda>() takes at least 2 arguments (1 given)
2611
2612The spec also applies to instantiated classes (i.e. the return value of
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002613specced mocks)::
Michael Foorda9e6fb22012-03-28 14:36:02 +01002614
2615 >>> req = request.Request('foo')
2616 >>> req
2617 <NonCallableMagicMock name='request.Request()' spec='Request' id='...'>
2618
Georg Brandl7ad3df62014-10-31 07:59:37 +01002619:class:`Request` objects are not callable, so the return value of instantiating our
2620mocked out :class:`request.Request` is a non-callable mock. With the spec in place
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002621any typos in our asserts will raise the correct error::
Michael Foorda9e6fb22012-03-28 14:36:02 +01002622
2623 >>> req.add_header('spam', 'eggs')
2624 <MagicMock name='request.Request().add_header()' id='...'>
2625 >>> req.add_header.assret_called_with
2626 Traceback (most recent call last):
2627 ...
2628 AttributeError: Mock object has no attribute 'assret_called_with'
2629 >>> req.add_header.assert_called_with('spam', 'eggs')
2630
Georg Brandl7ad3df62014-10-31 07:59:37 +01002631In many cases you will just be able to add ``autospec=True`` to your existing
2632:func:`patch` calls and then be protected against bugs due to typos and api
Michael Foorda9e6fb22012-03-28 14:36:02 +01002633changes.
2634
Georg Brandl7ad3df62014-10-31 07:59:37 +01002635As well as using *autospec* through :func:`patch` there is a
Michael Foorda9e6fb22012-03-28 14:36:02 +01002636:func:`create_autospec` for creating autospecced mocks directly:
2637
2638 >>> from urllib import request
2639 >>> mock_request = create_autospec(request)
2640 >>> mock_request.Request('foo', 'bar')
2641 <NonCallableMagicMock name='mock.Request()' spec='Request' id='...'>
2642
2643This isn't without caveats and limitations however, which is why it is not
2644the default behaviour. In order to know what attributes are available on the
2645spec object, autospec has to introspect (access attributes) the spec. As you
2646traverse attributes on the mock a corresponding traversal of the original
2647object is happening under the hood. If any of your specced objects have
2648properties or descriptors that can trigger code execution then you may not be
2649able to use autospec. On the other hand it is much better to design your
2650objects so that introspection is safe [#]_.
2651
2652A more serious problem is that it is common for instance attributes to be
Georg Brandl7ad3df62014-10-31 07:59:37 +01002653created in the :meth:`__init__` method and not to exist on the class at all.
2654*autospec* can't know about any dynamically created attributes and restricts
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002655the api to visible attributes. ::
Michael Foorda9e6fb22012-03-28 14:36:02 +01002656
Ezio Melottic9cfcf12013-03-11 09:42:40 +02002657 >>> class Something:
Michael Foorda9e6fb22012-03-28 14:36:02 +01002658 ... def __init__(self):
2659 ... self.a = 33
2660 ...
2661 >>> with patch('__main__.Something', autospec=True):
2662 ... thing = Something()
2663 ... thing.a
2664 ...
2665 Traceback (most recent call last):
2666 ...
2667 AttributeError: Mock object has no attribute 'a'
2668
2669There are a few different ways of resolving this problem. The easiest, but
2670not necessarily the least annoying, way is to simply set the required
Georg Brandl7ad3df62014-10-31 07:59:37 +01002671attributes on the mock after creation. Just because *autospec* doesn't allow
Michael Foorda9e6fb22012-03-28 14:36:02 +01002672you to fetch attributes that don't exist on the spec it doesn't prevent you
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002673setting them::
Michael Foorda9e6fb22012-03-28 14:36:02 +01002674
2675 >>> with patch('__main__.Something', autospec=True):
2676 ... thing = Something()
2677 ... thing.a = 33
2678 ...
2679
Georg Brandl7ad3df62014-10-31 07:59:37 +01002680There is a more aggressive version of both *spec* and *autospec* that *does*
Michael Foorda9e6fb22012-03-28 14:36:02 +01002681prevent you setting non-existent attributes. This is useful if you want to
2682ensure your code only *sets* valid attributes too, but obviously it prevents
2683this particular scenario:
2684
2685 >>> with patch('__main__.Something', autospec=True, spec_set=True):
2686 ... thing = Something()
2687 ... thing.a = 33
2688 ...
2689 Traceback (most recent call last):
2690 ...
2691 AttributeError: Mock object has no attribute 'a'
2692
2693Probably the best way of solving the problem is to add class attributes as
Georg Brandl7ad3df62014-10-31 07:59:37 +01002694default values for instance members initialised in :meth:`__init__`. Note that if
2695you are only setting default attributes in :meth:`__init__` then providing them via
Michael Foorda9e6fb22012-03-28 14:36:02 +01002696class attributes (shared between instances of course) is faster too. e.g.
2697
2698.. code-block:: python
2699
Ezio Melottic9cfcf12013-03-11 09:42:40 +02002700 class Something:
Michael Foorda9e6fb22012-03-28 14:36:02 +01002701 a = 33
2702
2703This brings up another issue. It is relatively common to provide a default
Georg Brandl7ad3df62014-10-31 07:59:37 +01002704value of ``None`` for members that will later be an object of a different type.
2705``None`` would be useless as a spec because it wouldn't let you access *any*
2706attributes or methods on it. As ``None`` is *never* going to be useful as a
Michael Foorda9e6fb22012-03-28 14:36:02 +01002707spec, and probably indicates a member that will normally of some other type,
Georg Brandl7ad3df62014-10-31 07:59:37 +01002708autospec doesn't use a spec for members that are set to ``None``. These will
2709just be ordinary mocks (well - MagicMocks):
Michael Foorda9e6fb22012-03-28 14:36:02 +01002710
Ezio Melottic9cfcf12013-03-11 09:42:40 +02002711 >>> class Something:
Michael Foorda9e6fb22012-03-28 14:36:02 +01002712 ... member = None
2713 ...
2714 >>> mock = create_autospec(Something)
2715 >>> mock.member.foo.bar.baz()
2716 <MagicMock name='mock.member.foo.bar.baz()' id='...'>
2717
2718If modifying your production classes to add defaults isn't to your liking
2719then there are more options. One of these is simply to use an instance as the
2720spec rather than the class. The other is to create a subclass of the
2721production class and add the defaults to the subclass without affecting the
2722production class. Both of these require you to use an alternative object as
Georg Brandl7ad3df62014-10-31 07:59:37 +01002723the spec. Thankfully :func:`patch` supports this - you can simply pass the
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002724alternative object as the *autospec* argument::
Michael Foorda9e6fb22012-03-28 14:36:02 +01002725
Ezio Melottic9cfcf12013-03-11 09:42:40 +02002726 >>> class Something:
Michael Foorda9e6fb22012-03-28 14:36:02 +01002727 ... def __init__(self):
2728 ... self.a = 33
2729 ...
2730 >>> class SomethingForTest(Something):
2731 ... a = 33
2732 ...
2733 >>> p = patch('__main__.Something', autospec=SomethingForTest)
2734 >>> mock = p.start()
2735 >>> mock.a
2736 <NonCallableMagicMock name='Something.a' spec='int' id='...'>
2737
2738
2739.. [#] This only applies to classes or already instantiated objects. Calling
2740 a mocked class to create a mock instance *does not* create a real instance.
Georg Brandl7ad3df62014-10-31 07:59:37 +01002741 It is only attribute lookups - along with calls to :func:`dir` - that are done.
Michael Foorda9e6fb22012-03-28 14:36:02 +01002742
Mario Corchero552be9d2017-10-17 12:35:11 +01002743Sealing mocks
2744~~~~~~~~~~~~~
2745
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002746
2747.. testsetup::
2748
2749 from unittest.mock import seal
2750
Mario Corchero552be9d2017-10-17 12:35:11 +01002751.. function:: seal(mock)
2752
Mario Corchero96200eb2018-10-19 22:57:37 +01002753 Seal will disable the automatic creation of mocks when accessing an attribute of
2754 the mock being sealed or any of its attributes that are already mocks recursively.
Mario Corchero552be9d2017-10-17 12:35:11 +01002755
Mario Corchero96200eb2018-10-19 22:57:37 +01002756 If a mock instance with a name or a spec is assigned to an attribute
Paul Ganssle85ac7262018-01-06 08:25:34 -05002757 it won't be considered in the sealing chain. This allows one to prevent seal from
Stéphane Wirtel859c0682018-10-12 09:51:05 +02002758 fixing part of the mock object. ::
Mario Corchero552be9d2017-10-17 12:35:11 +01002759
2760 >>> mock = Mock()
2761 >>> mock.submock.attribute1 = 2
Mario Corchero96200eb2018-10-19 22:57:37 +01002762 >>> mock.not_submock = mock.Mock(name="sample_name")
Mario Corchero552be9d2017-10-17 12:35:11 +01002763 >>> seal(mock)
Mario Corchero96200eb2018-10-19 22:57:37 +01002764 >>> mock.new_attribute # This will raise AttributeError.
Mario Corchero552be9d2017-10-17 12:35:11 +01002765 >>> mock.submock.attribute2 # This will raise AttributeError.
2766 >>> mock.not_submock.attribute2 # This won't raise.
2767
2768 .. versionadded:: 3.7