我想创建一个模拟方法来调用被模拟的底层方法。
我正在想象下面的内容,但是我找不到任何关于模拟对象的文档,其中包含对被模拟对象的引用,我在下面表示为[[wrapped_method_foo]]
:
from mock import patch
class Foo(object):
def __init__(self, state):
self.state = state
def foo(self, a):
print "real foo", a
return a + self.state
f = Foo(2000)
f.foo(1)
with patch.object(Foo, 'foo', autospec=True) as mock_foo:
def side_effect(self, a):
print "mock foo", a
return mock_foo.[[wrapped_method_foo]](self, a*2)
mock_foo.side_effect = side_effect
f.foo(2)
答案 0 :(得分:3)
最简单的方法是在修补之前获取自己对原始函数的引用。修补可以在类的单个实例上完成:
original_foo = f.foo
with patch.object(f, 'foo') as mock_foo:
def side_effect(a):
print "mock foo", a
return original_foo(a*2)
mock_foo.side_effect = side_effect
f.foo(2)
...或修补类上的未绑定方法:
original_foo = Foo.foo
with patch.object(Foo, 'foo', autospec=True) as mock_foo:
def side_effect(self, a):
print "mock foo", a
return original_foo(self, a*2)
mock_foo.side_effect = side_effect
f.foo(3)
答案 1 :(得分:1)
修补程序对象具有未记录的temp_original
属性,可以使用。
在这种情况下,我通常会这样做:
from __future__ import print_function
import mock
class Foo(object):
def __init__(self, state):
self.state = state
def foo(self, a):
print("real foo", a)
return a + self.state
f = Foo(2000)
f.foo(1)
fake_foo = mock.patch.object(Foo, 'foo', autospec=True)
# def side_effect(*args, **kwargs): # generic version
def side_effect(self, a):
print("mock foo", a)
return fake_foo.temp_original(self, a*2)
with fake_foo as mock_foo:
mock_foo.side_effect = side_effect
assert f.foo(2) == 2004
当我只使用模拟来断言在测试过程中调用的函数时,我正在使用它