失敗したすべてのテストのリストを使用したいセッション終了時.
Pytestを使用すると、セッションの最後に呼び出されるフックpytest_sessionfinish(session, exitstatus)
を定義できます。このリストが必要です。
session
は、属性items
(タイプlist
)を持つ_pytest.main.Session
インスタンスですが、それぞれのitem
が渡されたそのリストは失敗しました。
pytest-xdist
プラグインを使用しているときに、マスタープロセスでそのリストを取得する方法を教えてください。このプラグインを使用すると、session
にはマスターにitems
属性さえありません。
def pytest_sessionfinish(session, exitstatus):
if os.environ.get("PYTEST_XDIST_WORKER", "master") == "master":
print(hasattr(session, "items")) # False
テストの結果が必要な場合は、フックruntest_makereport
を使用できます。
@pytest.hookimpl(tryfirst=True, hookwrapper=True)
def pytest_runtest_makereport(item, call):
outcome = yield
rep = outcome.get_result()
if rep.when == 'call' and rep.failed:
mode = 'a' if os.path.exists('failures') else 'w'
try: # Just to not crash py.test reporting
pass # the test 'item' failed
except Exception as e:
pass
-rf
を指定してpytestを実行し、最後に失敗したテストのリストを出力します。
py.test --help
から:
-r chars show extra test summary info as specified by chars
(f)ailed, (E)error, (s)skipped, (x)failed, (X)passed,
(p)passed, (P)passed with output, (a)all except pP.
Warnings are displayed at all times except when
--disable-warnings is set
ここにあなたが得るものがあります:
$ py.test -rf
================= test session starts =================
platform darwin -- Python 3.7.2, pytest-4.3.1, py-1.6.0, pluggy-0.7.1
[...]
=============== short test summary info ===============
FAILED test_foo.py::test_foo_is_flar
FAILED test_spam.py::test_spam_is_mostly_pork
FAILED test_eggs.py::test_eggs_are_also_spam
=== 3 failed, 222 passed, 8 warnings in 12.52 seconds ==
コマンドラインオプション--result-log
を使用できます。
test_dummy.py:
def test_dummy_success():
return
def test_dummy_fail():
raise Exception('Dummy fail')
コマンドライン:
$ py.test --result-log=test_result.txt
Test_result.txtの内容
. test_dummy.py::test_dummy_success
F test_dummy.py::test_dummy_fail
def test_dummy_fail():
> raise Exception('Dummy fail')
E Exception: Dummy fail
test_dummy.py:6: Exception
最初の列で「F」を検索するだけで、その後は[file] :: [test]になります。
--result-log
は非推奨です。代わりに、-v
を使用して、実行時にテストケース名を出力できます。それをファイルにパイプすると、クエリを実行できます。したがって、スクリプトからテストを実行している場合は、次のようなことができます。
pytest -v | tee log.txt
grep -E '::.*(FAILURE|ERROR)' log.txt
失敗したテストとパラメーター化されたバリエーションの簡潔なレポートが必要だったので、pytest_terminal_summary
in conftest.py
:
def pytest_terminal_summary(terminalreporter, exitstatus, config):
terminalreporter.section('Failed tests')
failures = [report.nodeid.split('::')[-1]
for report in terminalreporter.stats.get('failed', [])]
terminalreporter.write('\n'.join(failures) + '\n')
検査する場合terminalreporter._session.items
、レポートに追加できる情報が他にもあります。これがまさに私が欲しかったものです。