使用mock测试构造函数

时间:2017-03-08 15:11:02

标签: python mocking

我需要测试我的类的构造函数调用某个方法

class ProductionClass:
   def __init__(self):
       self.something(1, 2, 3)

   def method(self):
       self.something(1, 2, 3)

   def something(self, a, b, c):
       pass 

这个课程来自'unittest.mock - 入门'。在那里写的我可以确保'方法'被称为'某事'如下。

real = ProductionClass()
real.something = MagicMock()
real.method()
real.something.assert_called_once_with(1, 2, 3)

但是如何为构造函数测试相同的东西?

1 个答案:

答案 0 :(得分:5)

您可以使用补丁(检查其文档https://docs.python.org/dev/library/unittest.mock.html)并声明在创建对象的新实例后,something方法被调用一次并使用所需的参数进行调用。例如,在您的示例中,它将是这样的:

from unittest.mock import MagicMock, patch
from your_module import ProductionClass

@patch('your_module.ProductionClass.something')
def test_constructor(something_mock):
    real = ProductionClass()
    assert something_mock.call_count == 1
    assert something_mock.called_with(1,2,3)