如何使用mock的@patch模拟在单独的Python模块中定义的函数

时间:2013-02-01 19:56:39

标签: python mocking

我正在尝试使用mock和@patch装饰器为Python应用程序构建测试。

给出以下目录结构:

  |-- mypackage
  |   |-- mymodule
  |   |   |-- __init__.py
  |   |   \-- somefile.py
  |   \-- myothermodule
  |       |-- tests
  |       |   |-- __init__.py
  |       |   \-- test_func_to_test.py
  |       \-- __init__.py
  \-- __init__.py

文件内容为:


#mypackage/mymodule/somefile.py

def some_function():
    return 'A'

#mypackage/myothermodule/__init__.py

from mypackage.mymodule.somefile import some_function

def func_to_test():
    return some_function()

#mypackage/myothermodule/tests/test_func_to_test.py

from unittest import TestCase
from mock import patch

class TestFunc_to_test(TestCase):
    def test_func_to_test(self):
        from mypackage.myothermodule import func_to_test
        self.assertEqual('A', func_to_test())

    @patch('mypackage.mymodule.somefile.some_function')
    def test_func_to_test_mocked(self, some_mock_function):
        from mypackage.myothermodule import func_to_test
        some_mock_function.return_value = 'B'
        self.assertEqual('B', func_to_test())

我遇到的问题是,当第一个测试通过(test_func_to_test)时,第二个测试(test_func_to_test_mocked)没有(由于AssertionError)。

我已经能够使用相同的方法从“内置”模块(例如,request.get)模拟函数,但是当我尝试修补函数时,我似乎无法使@patch正常工作我的一个模块......

任何帮助将不胜感激:)

1 个答案:

答案 0 :(得分:13)

mypackage.myothermodule已导入,因此名称some_function已绑定在该模块中。您需要在调用它的模块中模拟该名称的用法:

@patch('mypackage.myothermodule.some_function')

您也可以重新加载mypackage.myothermodule

import mypackage.myothermodule
reload(mypackage.myothermodule)