如何模拟模块python,补丁未找到属性

时间:2019-03-20 18:44:14

标签: python python-3.x mocking python-mock

在一个函数中,我正在使用我要修补的uuid1。

def myFunction():
     my_value = uuid4.int
     smth else..

我希望能够模拟my_value,以便它在单元测试中始终返回相同的数字,因为我需要它作进一步使用。 我尝试这样做:

 @patch('folder.myFunction.uuid4')
 def test_myFunction(self, mock_value):
      mock_value.return_value = 22222

但是它抛出一个错误,说myFunction没有uuid4作为属性。

我如何嘲笑它的价值?

2 个答案:

答案 0 :(得分:1)

这取决于您的导入。假设您有一个名为module.py的模块,并且您有一个这样的导入文件:

from uuid import uuid4

这意味着在此模块中,我们现在有一个名为uuid4的变量。这是要嘲笑的东西。

@patch('path.to.module.uuid4.int')

答案 1 :(得分:1)

您得到的错误是正确的。您的函数没有uuid4属性。

我正在假设uuid4 is a method of the uuid模块通常在两行之间阅读,该模块通常会生成随机uuid。

在测试时,您说您希望它始终返回相同的值。为此,您可以将uuid.uuid4替换为unittest.mock.Mock

In [36]: uuid_mock = Mock(return_value=uuid.UUID('77f1df52-4b43-11e9-910f-b8ca3a9b9f3e'))

In [37]: uuid_mock()
Out[37]: UUID('77f1df52-4b43-11e9-910f-b8ca3a9b9f3e')

类似的用于测试以下功能(f

import uuid, unittest
from unittest.mock import Mock, patch

def f():
    z = uuid.uuid4()
    return z.int

修补程序的目标是uuid方法-uuid.uuid4。为补丁unittest.mock.Mock参数指定具有固定返回值的new。在测试过程中,模拟将代替uuid.uuid4

class TestF(unittest.TestCase):

    uuid_mock = Mock(return_value=uuid.UUID('77f1df52-4b43-11e9-910f-b8ca3a9b9f3e'))

    good_uuid = uuid.UUID('77f1df52-4b43-11e9-910f-b8ca3a9b9f3e').int
    bad_uuid = uuid.UUID('77f1df52-4b43-11e9-910f-b8ca3a9b5a31').int

    @patch(target='uuid.uuid4', new=TestF.uuid_mock)
    def test_myFunction_True(self):
        self.assertEqual(f(), self.good_uuid)

    @patch(target='uuid.uuid4', new=TestF.uuid_mock)
    def test_myFunction_False(self):
        self.assertNotEqual(f(), self.bad_uuid)

if __name__ == '__main__':
    unittest.main()

结果:

..
----------------------------------------------------------------------
Ran 2 tests in 0.001s

OK

如果您要测试依赖于f的返回值的函数,并且希望f在测试过程中始终返回相同的值,请使f补丁。

def g():
    return f() == uuid.UUID('77f1df52-4b43-11e9-910f-b8ca3a9b9f3e').int

class TestG(unittest.TestCase):
    good_uuid_mock = Mock(return_value=uuid.UUID('77f1df52-4b43-11e9-910f-b8ca3a9b9f3e').int)
    bad_uuid_mock = Mock(return_value=uuid.UUID('77f1df52-4b43-11e9-910f-b8ca3a9b5a31').int)

    @patch(target='__main__.f', new=TestG.good_uuid_mock)
    def test_myFunction_True(self):
        self.assertTrue(g())
    @patch(target='__main__.f', new=TestG.bad_uuid_mock)
    def test_myFunction_False(self):
        self.assertFalse(g())