我想在所有测试结束时运行一个函数.
一种全局拆解功能.
我在这里找到了一个例子,这里有一些线索,但它与我的需求不符.它在测试开始时运行该功能.我也看到了这个函数pytest_runtest_teardown()
,但每次测试后都会调用它.
另外:如果只有在通过所有测试后才能调用该函数,那就太棒了.
我发现:
def pytest_sessionfinish(session, exitstatus): """ whole test run finishes. """
exitstatus
可用于定义要运行的操作.
要在所有测试结束时运行功能,请使用pytest固定装置(具有“ session”作用域)。这是一个例子:
@pytest.fixture(scope="session", autouse=True) def cleanup(request): """Cleanup a testing directory once we are finished.""" def remove_test_dir(): shutil.rmtree(TESTING_DIR) request.addfinalizer(remove_test_dir)
该@pytest.fixture(scope="session", autouse=True)
位添加了一个pytest固定装置,它将在每个测试会话中运行一次(每次使用都会运行一次pytest
)。该autouse=True
告诉pytest自动运行该夹具(而没有被其他地方)。
在cleanup
函数内,我们定义,remove_test_dir
并使用该request.addfinalizer(remove_test_dir)
行告诉pytest在remove_test_dir
函数完成后立即运行(因为我们将范围设置为“会话”,因此它将在整个测试会话完成后运行)。