Files
scylladb/test/pylib/runner.py
Andrei Chekun 6ffdada0ea test.py: modify JUnit report for easier rerun on CI
This will allow to add custom XML attribute to the JUnit report. In this
case there will be path to the function that can be used to run with
pytest command. Parametrized tests will have path to the function
excluding parameter.

Closes scylladb/scylladb#27707
2025-12-22 20:02:40 +02:00

359 lines
14 KiB
Python

#
# Copyright (C) 2025-present ScyllaDB
#
# SPDX-License-Identifier: LicenseRef-ScyllaDB-Source-Available-1.0
#
from __future__ import annotations
import asyncio
import logging
import pathlib
import sys
from argparse import BooleanOptionalAction
from collections import defaultdict
from itertools import chain, count, product
from functools import cache, cached_property
from random import randint
from typing import TYPE_CHECKING
import pytest
import yaml
from test import ALL_MODES, DEBUG_MODES, TEST_RUNNER, TOP_SRC_DIR
from test.pylib.suite.base import (
SUITE_CONFIG_FILENAME,
TestSuite,
get_testpy_test,
init_testsuite_globals,
prepare_dirs,
start_3rd_party_services,
)
from test.pylib.util import get_modes_to_run
if TYPE_CHECKING:
from asyncio import AbstractEventLoop
from collections.abc import Generator
import _pytest.nodes
import _pytest.scope
from test.pylib.suite.base import Test
TEST_CONFIG_FILENAME = "test_config.yaml"
REPEATING_FILES = pytest.StashKey[set[pathlib.Path]]()
BUILD_MODE = pytest.StashKey[str]()
RUN_ID = pytest.StashKey[int]()
logger = logging.getLogger(__name__)
# Store pytest config globally so we can access it in hooks that only receive report
_pytest_config: pytest.Config | None = None
def pytest_addoption(parser: pytest.Parser) -> None:
parser.addoption('--mode', choices=ALL_MODES, action="append", dest="modes",
help="Run only tests for given build mode(s)")
parser.addoption('--tmpdir', action='store', default=str(TOP_SRC_DIR / 'testlog'),
help='Path to temporary test data and log files. The data is further segregated per build mode.')
parser.addoption('--run_id', action='store', default=None, help='Run id for the test run')
parser.addoption('--byte-limit', action="store", default=randint(0, 2000), type=int,
help="Specific byte limit for failure injection (random by default)")
parser.addoption("--gather-metrics", action=BooleanOptionalAction, default=False,
help='Switch on gathering cgroup metrics')
parser.addoption('--random-seed', action="store",
help="Random number generator seed to be used by boost tests")
# Following option is to use with bare pytest command.
#
# For compatibility with reasons need to run bare pytest with --test-py-init option
# to run a test.py-compatible pytest session.
#
# TODO: remove this when we'll completely switch to bare pytest runner.
parser.addoption('--test-py-init', action='store_true', default=False,
help='Run pytest session in test.py-compatible mode. I.e., start all required services, etc.')
# Options for compatibility with test.py
parser.addoption('--save-log-on-success', default=False,
dest="save_log_on_success", action="store_true",
help="Save test log output on success and skip cleanup before the run.")
parser.addoption('--coverage', action='store_true', default=False,
help="When running code instrumented with coverage support"
"Will route the profiles to `tmpdir`/mode/coverage/`suite` and post process them in order to generate "
"lcov file per suite, lcov file per mode, and an lcov file for the entire run, "
"The lcov files can eventually be used for generating coverage reports")
parser.addoption("--coverage-mode", action='append', type=str, dest="coverage_modes",
help="Collect and process coverage only for the modes specified. implies: --coverage, default: All built modes")
parser.addoption("--cluster-pool-size", type=int,
help="Set the pool_size for PythonTest and its descendants. Alternatively environment variable "
"CLUSTER_POOL_SIZE can be used to achieve the same")
parser.addoption("--extra-scylla-cmdline-options", default='',
help="Passing extra scylla cmdline options for all tests. Options should be space separated:"
" '--logger-log-level raft=trace --default-log-level error'")
parser.addoption('--x-log2-compaction-groups', action="store", default="0", type=int,
help="Controls number of compaction groups to be used by Scylla tests. Value of 3 implies 8 groups.")
parser.addoption('--repeat', action="store", default="1", type=int,
help="number of times to repeat test execution")
# Pass information about Scylla node from test.py to pytest.
parser.addoption("--scylla-log-filename",
help="Path to a log file of a ScyllaDB node (for suites with type: Python)")
@pytest.fixture(autouse=True)
def print_scylla_log_filename(request: pytest.FixtureRequest) -> Generator[None]:
"""Print out a path to a ScyllaDB log.
This is a fixture for Python test suites, because they are using a single node clusters created inside test.py,
but it is handy to have this information printed to a pytest log.
"""
yield
if scylla_log_filename := request.config.getoption("--scylla-log-filename"):
logger.info("ScyllaDB log file: %s", scylla_log_filename)
def testpy_test_fixture_scope(fixture_name: str, config: pytest.Config) -> _pytest.scope._ScopeName:
"""Dynamic scope for fixtures which rely on a current test.py suite/test.
test.py runs tests file-by-file as separate pytest sessions, so, `session` scope is effectively close to be the
same as `module` (can be a difference in the order.) In case of running tests with bare pytest command, we
need to use `module` scope to maintain same behavior as test.py, since we run all tests in one pytest session.
"""
if getattr(config.option, "test_py_init", False):
return "module"
return "session"
testpy_test_fixture_scope.__test__ = False
@pytest.fixture(scope=testpy_test_fixture_scope, autouse=True)
def build_mode(request: pytest.FixtureRequest) -> str:
params_stash = get_params_stash(node=request.node)
if params_stash is None:
return request.config.build_modes[0]
return params_stash[BUILD_MODE]
@pytest.fixture(scope=testpy_test_fixture_scope)
async def testpy_test(request: pytest.FixtureRequest, build_mode: str) -> Test | None:
"""Create an instance of Test class for the current test.py test."""
if request.scope == "module":
return await get_testpy_test(path=request.path, options=request.config.option, mode=build_mode)
return None
def pytest_collection_modifyitems(items: list[pytest.Item]) -> None:
for item in items:
modify_pytest_item(item=item)
suites_order = defaultdict(count().__next__) # number suites in order of appearance
def sort_key(item: pytest.Item) -> tuple[int, bool]:
suite = item.stash[TEST_SUITE]
return suites_order[suite], suite and item.path.stem not in suite.cfg.get("run_first", [])
items.sort(key=sort_key)
def pytest_sessionstart(session: pytest.Session) -> None:
# test.py starts S3 mock and create/cleanup testlog by itself. Also, if we run with --collect-only option,
# we don't need this stuff.
if TEST_RUNNER != "pytest" or session.config.getoption("--collect-only"):
return
if not session.config.getoption("--test-py-init"):
return
init_testsuite_globals()
TestSuite.artifacts.add_exit_artifact(None, TestSuite.hosts.cleanup)
# Run stuff just once for the pytest session even running under xdist.
if "xdist" not in sys.modules or not sys.modules["xdist"].is_xdist_worker(request_or_session=session):
temp_dir = pathlib.Path(session.config.getoption("--tmpdir")).absolute()
prepare_dirs(
tempdir_base=temp_dir,
modes=get_modes_to_run(session.config),
gather_metrics=session.config.getoption("--gather-metrics"),
save_log_on_success=session.config.getoption("--save-log-on-success"),
)
start_3rd_party_services(
tempdir_base=temp_dir,
toxiproxy_byte_limit=session.config.getoption("--byte-limit"),
)
@pytest.hookimpl(trylast=True)
def pytest_runtest_logreport(report):
"""Add custom XML attributes to JUnit testcase elements.
This hook wraps the node_reporter's to_xml method to add custom attributes
when the XML element is created. This approach works with pytest-xdist because
it modifies the XML element directly when it's generated, rather than trying
to modify attrs before finalize() is called.
Attributes added:
- function_path: The function path of the test case (excluding parameters).
Uses trylast=True to run after LogXML's hook has created the node_reporter.
"""
from _pytest.junitxml import xml_key
# Only process call phase
if report.when != "call":
return
# Get the XML reporter
config = _pytest_config
if config is None:
return
xml = config.stash.get(xml_key, None)
if xml is None:
return
node_reporter = xml.node_reporter(report)
nodeid = report.nodeid
function_path = f'test/{nodeid.rsplit('.', 2)[0].rsplit('[', 1)[0]}'
# Wrap the to_xml method to add custom attributes to the element
original_to_xml = node_reporter.to_xml
def custom_to_xml():
"""Wrapper that adds custom attributes to the testcase element."""
element = original_to_xml()
element.set("function_path", function_path)
return element
node_reporter.to_xml = custom_to_xml
def pytest_sessionfinish(session: pytest.Session) -> None:
if not session.config.getoption("--test-py-init"):
return
if getattr(TestSuite, "artifacts", None) is not None:
loop: AbstractEventLoop = asyncio.get_event_loop()
if not loop.is_running():
loop.run_until_complete(TestSuite.artifacts.cleanup_before_exit())
else:
loop.create_task(TestSuite.artifacts.cleanup_before_exit())
def pytest_configure(config: pytest.Config) -> None:
global _pytest_config
_pytest_config = config
config.build_modes = get_modes_to_run(config)
if testpy_run_id := config.getoption("--run_id"):
if config.getoption("--repeat") != 1:
raise RuntimeError("Can't use --run_id and --repeat simultaneously.")
config.run_ids = (testpy_run_id,)
else:
config.run_ids = tuple(range(1, config.getoption("--repeat") + 1))
@pytest.hookimpl(wrapper=True)
def pytest_collect_file(file_path: pathlib.Path,
parent: pytest.Collector) -> Generator[None, list[pytest.Collector], list[pytest.Collector]]:
collectors = yield
if len(collectors) == 1 and file_path not in parent.stash.setdefault(REPEATING_FILES, set()):
parent.stash[REPEATING_FILES].add(file_path)
build_modes = parent.config.build_modes
if suite_config := TestSuiteConfig.from_pytest_node(node=collectors[0]):
build_modes = (
mode for mode in build_modes
if not suite_config.is_test_disabled(build_mode=mode, path=file_path)
)
repeats = list(product(build_modes, parent.config.run_ids))
if not repeats:
return []
ihook = parent.ihook
collectors = list(chain(collectors, chain.from_iterable(
ihook.pytest_collect_file(file_path=file_path, parent=parent) for _ in range(1, len(repeats))
)))
for (build_mode, run_id), collector in zip(repeats, collectors, strict=True):
collector.stash[BUILD_MODE] = build_mode
collector.stash[RUN_ID] = run_id
collector.stash[TEST_SUITE] = suite_config
parent.stash[REPEATING_FILES].remove(file_path)
return collectors
class TestSuiteConfig:
def __init__(self, config_file: pathlib.Path):
self.path = config_file.parent
self.cfg = yaml.safe_load(config_file.read_text(encoding="utf-8"))
@cached_property
def name(self) -> str:
return self.path.name
@cached_property
def _run_in_specific_mode(self) -> set[str]:
return set(chain.from_iterable(self.cfg.get(f"run_in_{build_mode}", []) for build_mode in ALL_MODES))
@cache
def disabled_tests(self, build_mode: str) -> set[str]:
result = set(self.cfg.get("disable", []))
result.update(self.cfg.get(f"skip_in_{build_mode}", []))
if build_mode in DEBUG_MODES:
result.update(self.cfg.get("skip_in_debug_modes", []))
run_in_this_mode = set(self.cfg.get(f"run_in_{build_mode}", []))
result.update(self._run_in_specific_mode - run_in_this_mode)
return result
def is_test_disabled(self, build_mode: str, path: pathlib.Path) -> bool:
return str(path.relative_to(self.path).with_suffix("")) in self.disabled_tests(build_mode=build_mode)
@classmethod
def from_pytest_node(cls, node: _pytest.nodes.Node) -> TestSuiteConfig | None:
for config_file in (node.path / SUITE_CONFIG_FILENAME, node.path / TEST_CONFIG_FILENAME,):
if config_file.is_file():
suite = cls(config_file=config_file)
break
else:
if node.parent is None:
return None
suite = node.parent.stash.get(TEST_SUITE, None)
if suite is None:
suite = cls.from_pytest_node(node=node.parent)
if suite:
node.stash[TEST_SUITE] = suite
return suite
TEST_SUITE = pytest.StashKey[TestSuiteConfig | None]()
_STASH_KEYS_TO_COPY = BUILD_MODE, RUN_ID, TEST_SUITE
def get_params_stash(node: _pytest.nodes.Node) -> pytest.Stash | None:
parent = node.getparent(cls=pytest.File)
if parent is None:
return None
return parent.stash
def modify_pytest_item(item: pytest.Item) -> None:
params_stash = get_params_stash(node=item)
for key in _STASH_KEYS_TO_COPY:
item.stash[key] = params_stash[key]
suffix = f".{item.stash[BUILD_MODE]}.{item.stash[RUN_ID]}"
item._nodeid = f"{item._nodeid}{suffix}"
item.name = f"{item.name}{suffix}"