13

我在使用 python setUpClass 时遇到了一些麻烦。

例如考虑以下情况

class MyTest(unittest.case.TestCase):

    @classmethod
    def setUpClass(cls):
        print "Test setup"
        try:
            1/0
        except:
            raise

    @classmethod
    def tearDownClass(cls):
        print "Test teardown"

几个问题

  1. 上面的代码是处理测试setUpClass异常的正确方法吗(通过提高它以便python unittest可以处理它),有fail(),skip()方法,但这些只能由测试实例使用而不是测试类。

  2. 当出现setUpClass异常时,我们如何确保tearDownClass运行(unittest不运行它,我们应该手动调用它)。

4

4 回答 4

5

tearDownClass正如 Jeff 指出的那样,您可以调用异常,但您也可以实现该__del__(cls)方法:

import unittest

class MyTest(unittest.case.TestCase):

    @classmethod
    def setUpClass(cls):
        print "Test setup"
        try:
            1/0
        except:
            raise

    @classmethod
    def __del__(cls):
        print "Test teardown"

    def test_hello(cls):
        print "Hello"

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

将有以下输出:

Test setup
E
======================================================================
ERROR: setUpClass (__main__.MyTest)
----------------------------------------------------------------------
Traceback (most recent call last):
  File "my_test.py", line 8, in setUpClass
    1/0
ZeroDivisionError: integer division or modulo by zero

----------------------------------------------------------------------
Ran 0 tests in 0.000s

FAILED (errors=1)
Test teardown

注意:您应该知道该__del__方法将在程序执行结束时调用,如果您有多个测试类,这可能不是您想要的。

希望能帮助到你

于 2012-08-25T13:09:15.960 回答
1

最好的选择是为调用 tearDownClass 并重新引发异常的异常添加处理程序。

@classmethod
def setUpClass(cls):
    try:
        super(MyTest, cls).setUpClass()
        # setup routine...
    except Exception:  # pylint: disable = W0703
        super(MyTest, cls).tearDownClass()
        raise
于 2018-08-09T13:30:10.010 回答
0
import contextlib

class MyTestCase(unitest.TestCase):

    @classmethod
    def setUpClass(cls):
        with contextlib.ExitStack() as stack:
            # ensure teardown is called if error occurs
            stack.callback(cls.tearDownClass)

            # Do the things here!

            # remove callback at the end if no error found
            stack.pop_all()
于 2019-03-07T22:02:57.823 回答
0

使用 tearDownModule。它应该在 setUpClass 运行后调用。

于 2020-02-14T09:24:49.200 回答