関数が呼び出されたかどうかを確認する単体テストがあります。 pytest
およびpytest-mock
ライブラリでこれを行うにはどうすればよいですか?
たとえば、これはユニットテストtest_hello.py
です。このテストでは、関数my_function
を呼び出し、指定した引数でhello
が呼び出されたことを確認します。
def hello(name):
return f'Hello {name}'
def my_function():
hello('Sam')
def test_hello(mocker):
mocker.patch('hello')
my_function()
hello.assert_called_once_with('Sam')
上記のコードは次のエラーを返します。
target = 'hello'
def _get_target(target):
try:
> target, attribute = target.rsplit('.', 1)
E ValueError: not enough values to unpack (expected 2, got 1)
/Library/Frameworks/Python.framework/Versions/3.6/lib/python3.6/unittest/mock.py:1393: ValueError
During handling of the above exception, another exception occurred:
mocker = <pytest_mock.MockFixture object at 0x109c5e978>
def test_hello(mocker):
> mocker.patch('hello')
test_hello.py:8:
_ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _
/Library/Frameworks/Python.framework/Versions/3.6/lib/python3.6/site-packages/pytest_mock.py:156: in __call__
return self._start_patch(self.mock_module.patch, *args, **kwargs)
/Library/Frameworks/Python.framework/Versions/3.6/lib/python3.6/site-packages/pytest_mock.py:134: in _start_patch
p = mock_func(*args, **kwargs)
/Library/Frameworks/Python.framework/Versions/3.6/lib/python3.6/unittest/mock.py:1544: in patch
getter, attribute = _get_target(target)
_ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _
target = 'hello'
def _get_target(target):
try:
target, attribute = target.rsplit('.', 1)
except (TypeError, ValueError):
raise TypeError("Need a valid target to patch. You supplied: %r" %
> (target,))
E TypeError: Need a valid target to patch. You supplied: 'hello'
/Library/Frameworks/Python.framework/Versions/3.6/lib/python3.6/unittest/mock.py:1396: TypeError
エラーを解決する
mocked_hello
をmocked.patch
に割り当てます
モックされた関数にside_effect
を割り当てる
def bonjour(name):
return 'bonjour {}'.format(name)
def hello(name):
return 'Hello {}'.format(name)
def my_function():
return hello('Sam')
def test_hellow_differnt_from_module(mocker):
# mocked func with `test_hello.py` as module name
mocked_hello = mocker.patch('test_hello.hello')
# assign side_effect to mocked func
mocked_hello.side_effect = bonjour
# the mocked func return_value changed by side_effect
assert mocked_hello('Sam') == 'bonjour Sam'
# the mocked func called with Sam, but with different return value
mocked_hello.assert_called_with('Sam')
実際の関数my_function()を呼び出し、それがhelloを呼び出したことを確認します。
def test_my_function(mocker):
mocker.patch('test_hello.hello', side_effect=bonjour)
mf = my_function()
hello.assert_called_with('Sam')
assert mf == 'bonjour Sam'