假设我在模块中定义了一个函数:
module_a.py
def foo():
return 10
我想创建一个API来修补函数:
patcher.py
import mock
class Patcher(object):
def __enter__(self):
self.patcher = mock.patch('module_a.foo',
mock.Mock(return_value=15))
self.patcher.start()
def __exit__(self, *args):
self.patcher.stop()
问题是,我不知道将使用我的API的模块名称是什么。所以测试看起来像这样:
test1.py
from patcher import Patcher
import module_a
with Patcher():
assert module_a.foo() == 15
会奏效。但是这样的测试是这样的:
test2.py
from patcher import Patcher
from module_a import foo
with Patcher():
assert foo() == 15
将失败。
有没有让API用户像第一个选项一样编写测试和模块(!)?
答案 0 :(得分:1)
有一种方法可以在不知道补丁发生位置的情况下对功能进行“修补”。这是我的问题的要求,因为patcher
是我的库API,我不希望使用我的库为每个测试模块提供路径。
我找到的解决方案是传递所有已加载的模块并尝试在其中找到foo
,然后更改它 - sorta自己实现补丁。如果只在Patcher
启动后才会导入,我自己加载了模块,并进行了更改。
现在代码看起来像这样:
<强>修补程式强>
import sys
import mock
from module_a import foo as _orig_foo
import module_a
class Patcher(object):
def __init__(self):
self.undo_set = set()
self.fake_foo = mock.Mock(return_value=15)
def __enter__(self):
modules = [
module for mod_name, module in sys.modules.items() if
mod_name is not None and module is not None and
hasattr(module, '__name__') and
module.__name__ not in ('module_a', 'patcher')
]
for module in modules:
for attr in dir(module):
try:
attribute_value = getattr(module, attr)
except (ValueError, AttributeError, ImportError):
# For some libraries, this happen.
continue
if id(attribute_value) == id(_orig_foo):
setattr(module, attr, self.fake_foo)
self.undo_set.add((module, attr, attribute_value))
# Solve for future imports
module_a.foo = self.fake_foo
def __exit__(self, *args):
module_a.foo = _orig_foo
for mod, attr, val in self.undo_set:
setattr(mod, attr, val)
self.undo_set = set()