我正在尝试测试tensorflow程序。我正在使用参数化py.test fixture设置tensorflow会话:
@pytest.fixture(scope="session", params=configuration)
def session(request):
if request.param == 'tensorflow':
return tf.Session()
elif request.param == 'tensorflow-eager':
tfe.enable_eager_execution()
return tf.Session()
elif ...
Tensorflow具有全局状态,因此多次测试启动可能会污染它。例如,启用后无法禁用急切执行。有没有办法指示py.test为每个测试创建一个新进程?或者使用参数化夹具配置测试环境的其他方法?用法示例:
@pytest.mark.parametrize("bias_type", ['variable', 'ndarray', 'list', 'tuple'])
@pytest.mark.parametrize("kernel_type", ['variable', 'ndarray', 'list', 'tuple'])
@pytest.mark.parametrize("input_type", ['variable', 'ndarray', 'list', 'tuple'])
def test_convolution(session, input_type, kernel_type, bias_type):
...
答案 0 :(得分:1)
正如评论中所建议的,使用pytest-xdist
将是解决方案。该插件专为测试的并行或分布式执行而设计(甚至可以执行多平台执行),但非常适合在单独的流程中提供运行每个测试的请求 - 您可以使用--forked
实现此目的参数。
让我们定义一个夹具,在运行每个测试之前尝试打开急切的执行:
from tensorflow.contrib.eager.python import tfe
import pytest
@pytest.fixture(scope='function', autouse=True)
def eager(request):
tfe.enable_eager_execution()
这个灯具显然会失败所有测试,但第一个测试因为急切的执行只能转一次。通过一些虚拟测试:
def test_spam():
assert True
def test_eggs():
assert True
def test_bacon():
assert True
正常运行pytest
会失败:
$ pytest -v
============================== test session starts ================================
platform darwin -- Python 3.6.3, pytest-3.3.1, py-1.5.2, pluggy-0.6.0 -- /Users/hoefling/.virtualenvs/stackoverflow/bin/python3.6
cachedir: .cache
rootdir: /Users/hoefling/projects/private/stackoverflow/so-48234032, inifile:
plugins: forked-0.2, mock-1.6.3, hypothesis-3.44.4
collected 3 items
test_spam.py::test_spam PASSED [ 33%]
test_spam.py::test_eggs ERROR [ 66%]
test_spam.py::test_bacon ERROR [100%]
...
E ValueError: Do not call tfe.enable_eager_execution more than once in the
same process. Note eager-mode methods such as tfe.run() also call
tfe.enable_eager_execution.
...
现在安装pytest-xdist
:
$ pip install pytest-xdist
并重新运行测试:
$ pytest -v --forked
============================== test session starts ================================
platform darwin -- Python 3.6.3, pytest-3.3.1, py-1.5.2, pluggy-0.6.0 -- /Users/hoefling/.virtualenvs/stackoverflow/bin/python3.6
cachedir: .cache
rootdir: /Users/hoefling/projects/private/stackoverflow/so-48234032, inifile:
plugins: forked-0.2, xdist-1.22.0, mock-1.6.3, hypothesis-3.44.4
collected 3 items
test_spam.py::test_spam PASSED [ 33%]
test_spam.py::test_eggs PASSED [ 66%]
test_spam.py::test_bacon PASSED [100%]
============================= 3 passed in 6.09 seconds ============================
测试仍然按顺序运行,但每个都在自己的子进程中运行,因此没有一个失败。
现在您可以开始尝试并行执行,例如
$ pytest -v --forked --numprocesses=auto
等。有关详细信息和更多用法示例,请参阅plugin docs。