Patch Decorators

The patch decorators are used for patching objects only within the scope of the function they decorate. They automatically handle the unpatching for you, even if exceptions are raise. All of these functions can also be used in with statements.

patch

patch(target, new=<SentinelObject "DEFAULT">, spec=None, create=False, mocksignature=False, spec_set=None)

patch acts as a function decorator, class decorator or a context manager. Inside the body of the function or with statement, the target (specified in the form ‘PackageName.ModuleName.ClassName’) is patched with a new object. When the function/with statement exits the patch is undone.

The target is imported and the specified attribute patched with the new object, so it must be importable from the environment you are calling the decorator from.

If new is omitted, then a new Mock is created and passed in as an extra argument to the decorated function.

The spec and spec_set keyword arguments are passed to the Mock if patch is creating one for you.

In addition you can pass spec=True or spec_set=True, which causes patch to pass in the object being mocked as the spec/spec_set object.

If mocksignature is True then the patch will be done with a function created by mocking the one being replaced. If the object being replaced is a class then the signature of __init__ will be copied. If the object being replaced is a callable object then the signature of __call__ will be copied.

By default patch will fail to replace attributes that don’t exist. If you pass in ‘create=True’ and the attribute doesn’t exist, patch will create the attribute for you when the patched function is called, and delete it again afterwards. This is useful for writing tests against attributes that your production code creates at runtime. It is off by by default because it can be dangerous. With it switched on you can write passing tests against APIs that don’t actually exist!

Patch can be used as a TestCase class decorator. It works by decorating each test method in the class. This reduces the boilerplate code when your test methods share a common patchings set.

Patch can be used with the with statement, if this is available in your version of Python. Here the patching applies to the indented block after the with statement. If you use “as” then the patched object will be bound to the name after the “as”; very useful if patch is creating a mock object for you.

patch.dict(...) and patch.object(...) are available for alternate use-cases.

Note

Patching a class replaces the class with a Mock instance. If the class is instantiated in the code under test then it will be the return_value of the mock that will be used.

If the class is instantiated multiple times you could use Mock.side_effect to return a new mock each time. Alternatively you can set the return_value to be anything you want.

To configure return values on methods of instances on the patched class you must do this on the return_value. For example:

@patch('module.Class')
def test(MockClass):
    instance = MockClass.return_value
    instance.method.return_value = 'foo'

patch.object

patch.object(target, attribute, new=DEFAULT, spec=None, create=False, mocksignature=False, spec_set=None)

patch the named member (attribute) on an object (target) with a mock object.

Arguments new, spec, create, mocksignature and spec_set have the same meaning as for patch.

You can either call patch.object with three arguments or two arguments. The three argument form takes the object to be patched, the attribute name and the object to replace the attribute with.

When calling with the two argument form you omit the replacement object, and a mock is created for you and passed in as an extra argument to the decorated function:

@patch.object(SomeClass, 'classmethod')
def test_something(self, mockMethod):
    SomeClass.classmethod(3)

    mockMethod.assert_called_with(3)

spec and create have the same meaning as for the patch decorator.

patch.object is also a context manager and can be used with with statements in the same way as patch. It can also be used as a class decorator with same semantics as patch.

patch_object

Deprecated since version 0.7: This is the same as patch.object. Use the renamed version.

patch.dict

patch.dict(in_dict, values=(), clear=False)

Patch a dictionary and restore the dictionary to its original state after the test.

in_dict can be a dictionary or a mapping like container. If it is a mapping then it must at least support getting, setting and deleting items plus iterating over keys.

in_dict can also be a string specifying the name of the dictionary, which will then be fetched by importing it.

values can be a dictionary of values to set in the dictionary. values can also be an iterable of (key, value) pairs.

If clear is True then the dictionary will be cleared before the new values are set.

Like patch() and patch.object() patch.dict can be used as a decorator or a context manager. It can be used to add members to a dictionary, or simply let a test change a dictionary, and ensure the dictionary is restored when the test ends.

>>> from mock import patch
>>> foo = {}
>>> with patch.dict(foo, {'newkey': 'newvalue'}):
...     assert foo == {'newkey': 'newvalue'}
...
>>> assert foo == {}

>>> import os
>>> with patch.dict('os.environ', {'newkey': 'newvalue'}):
...     print os.environ['newkey']
...
newvalue
>>> assert 'newkey' not in os.environ

Nesting Patch Decorators

If you want to perform multiple patches then you can simply stack up the decorators.

You can stack up multiple patch decorators using this pattern:

@patch('module.ClassName1')
@patch('module.ClassName2')
def testMethod(self, MockClass2, MockClass1):
    ClassName1()
    ClassName2()
    self.assertEqual(MockClass1.called, "ClassName1 not patched")
    self.assertEqual(MockClass2.called, "ClassName2 not patched")

Like all context-managers patches can be nested using contextlib’s nested function; every patching will appear in the tuple after “as”:

from contextlib import nested
with nested(patch('Package.ModuleName.ClassName'),
            patch('Package.ModuleName.ClassName2', TestUtils.MockClass2)) as (MockClass1, MockClass2):
     instance = ClassName(ClassName2())
     self.assertEqual(instance.f(), "expected")

Patching Descriptors

Since version 0.6.0 both patch and patch.object have been able to correctly patch and restore descriptors; class methods, static methods and properties. You should patch these on the class rather than an instance:

@patch('module.ClassName.static')
def testMethod(self, mockStatic):
    ClassName.static('foo')
    mockStatic.assert_called_with('foo')

Table Of Contents

Previous topic

The Mock Class

Next topic

Sentinel

This Page