我遇到了一个问题,我认为这可能是我正在使用的库的错误。但是,我对python,unittest和unittest.mock库是相当陌生的,所以这可能只是我理解的一个漏洞。

在将测试添加到某些生产代码中时,我遇到了错误,但我制作了一个最小的示例来重现该问题:

import unittest
import mock

class noCtorArg:
    def __init__(self):
        pass
    def okFunc(self):
        raise NotImplemented


class withCtorArg:
    def __init__(self,obj):
        pass
    def notOkFunc(self):
        raise NotImplemented
    def okWithArgFunc(self, anArgForMe):
        raise NotImplemented

class BasicTestSuite(unittest.TestCase):
    """Basic test Cases."""

    # passes
    def test_noCtorArg_okFunc(self):
        mockSUT = mock.MagicMock(spec=noCtorArg)
        mockSUT.okFunc()
        mockSUT.assert_has_calls([mock.call.okFunc()])

    # passes
    def test_withCtorArg_okWithArgFuncTest(self):
        mockSUT = mock.MagicMock(spec=withCtorArg)
        mockSUT.okWithArgFunc("testing")
        mockSUT.assert_has_calls([mock.call.okWithArgFunc("testing")])

    # fails
    def test_withCtorArg_doNotOkFuncTest(self):
        mockSUT = mock.MagicMock(spec=withCtorArg)
        mockSUT.notOkFunc()
        mockSUT.assert_has_calls([mock.call.notOkFunc()])


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

我如何运行测试和输出如下:
E:\work>python -m unittest testCopyFuncWithMock
.F.
======================================================================
FAIL: test_withCtorArg_doNotOkFuncTest (testCopyFuncWithMock.BasicTestSuite)
----------------------------------------------------------------------
Traceback (most recent call last):
  File "testCopyFuncWithMock.py", line 38, in test_withCtorArg_doNotOkFuncTest
    mockSUT.assert_has_calls([mock.call.notOkFunc()])
  File "C:\Python27\lib\site-packages\mock\mock.py", line 969, in assert_has_calls
    ), cause)
  File "C:\Python27\lib\site-packages\six.py", line 718, in raise_from
    raise value
AssertionError: Calls not found.
Expected: [call.notOkFunc()]
Actual: [call.notOkFunc()]

----------------------------------------------------------------------
Ran 3 tests in 0.004s

FAILED (failures=1)

我正在使用python 2.7.11,通过pip安装了模拟版本2.0.0。

对我做错了什么建议吗?还是看起来像库中的错误?

最佳答案

有趣的是,您选择执行断言的方式掩盖了您的问题。

试试,代替这个:

mockSUT.assert_has_calls(calls=[mock.call.notOkFunc()])

去做这个:
mockSUT.assert_has_calls(calls=[mock.call.notOkFunc()], any_order=True)

您将看到实际的异常:
TypeError("'obj' parameter lacking default value")

这是因为您试图实例化具有参数withCtorArg且没有默认值的obj类的实例。如果您尝试实际直接实例化它,您将看到:
TypeError: __init__() takes exactly 2 arguments (1 given)

但是,由于让mock库处理模拟对象的实例化,因此错误在那里发生-并且您收到TypeError异常。

修改相关的类:
class withCtorArg:
    def __init__(self, obj = None):
        pass
    def notOkFunc(self):
        pass
    def okWithArgFunc(self, anArgForMe):
        pass

并为obj添加默认的None值即可解决此问题。

关于python - 当生产类构造函数接受额外的参数时,为什么unittest.mock失败?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/37923265/

10-13 04:22