以下主题模块包含两个函数,其中一个操作全局变量。
mod.py:
def global_setter():
global x
x = 123
print("setter x:", x)
def global_getter():
print("getter x:", x)
每个功能都有一个测试文件。
test_1.py
import pytest
import mod
def test_set_x():
mod.global_setter()
assert mod.x == 123
test_2.py
import pytest
import mod
def test_get_x():
with pytest.raises(NameError):
mod.global_getter()
如果单独运行,则这些测试通过
$ pytest -s -v test_1.py
========================== test session starts ==========================
platform linux -- Python 3.6.7, pytest-4.3.1, py-1.8.0, pluggy-0.9.0 -- /usr/bin/python3
cachedir: .pytest_cache
rootdir: /mnt/temp/test, inifile:
collected 1 item
test_1.py::test_set_x setter x: 123
PASSED
-
======================= 1 passed in 0.03 seconds ========================
$ pytest -s -v test_2.py
========================== test session starts ==========================
platform linux -- Python 3.6.7, pytest-4.3.1, py-1.8.0, pluggy-0.9.0 -- /usr/bin/python3
cachedir: .pytest_cache
rootdir: /mnt/temp/test, inifile:
collected 1 item
test_2.py::test_get_x PASSED
======================= 1 passed in 0.02 seconds ========================
如果一起运行,第二项测试将失败。
$ pytest -s -v test_1.py test_2.py
========================== test session starts ==========================
platform linux -- Python 3.6.7, pytest-4.3.1, py-1.8.0, pluggy-0.9.0 -- /usr/bin/python3
cachedir: .pytest_cache
rootdir: /mnt/temp/test, inifile:
collected 2 items
test_1.py::test_set_x setter x: 123
PASSED
test_2.py::test_get_x getter x: 123
FAILED
=============================== FAILURES ================================
______________________________ test_get_x _______________________________
def test_get_x():
with pytest.raises(NameError):
> mod.global_getter()
E Failed: DID NOT RAISE <class 'NameError'>
test_2.py:8: Failed
================== 1 failed, 1 passed in 0.08 seconds ===================
似乎导入的模块的状态在测试和测试文件之间流血。
为什么会发生这种情况,有没有办法告诉pytest为每个测试文件独立导入模块?如果是这样,那么只需对test_
函数进行最小的更改就可以实现它吗?上面的玩具示例说明了我在使用大量代码并进行许多测试时遇到的问题。
答案 0 :(得分:1)
这是预料之中的,因为所有通过pytest运行的测试都在单个进程中运行,并且您的第一个测试是通过向全局名称空间添加x
来改变全局状态。
您有两种选择。
pytest-xdist
(请参阅Run py.test test in different process)的框架,以确保您的测试在不同的进程中运行。 x
。