1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
|
"""
A pytest plugin useful to test tox itself (and its plugins).
"""
import os
import re
import sys
import textwrap
import warnings
from contextlib import contextmanager
from pathlib import Path
from typing import TYPE_CHECKING, Any, Callable, Dict, Iterator, List, Optional, Sequence
import pytest
from _pytest.capture import CaptureFixture as _CaptureFixture
from _pytest.config import Config as PyTestConfig
from _pytest.config.argparsing import Parser
from _pytest.logging import LogCaptureFixture
from _pytest.monkeypatch import MonkeyPatch
from _pytest.python import Function
import tox.run
from tox.execute.api import Outcome
from tox.execute.request import shell_cmd
from tox.report import LOGGER
from tox.run import run as tox_run
from tox.run import setup_state as previous_setup_state
from tox.session.cmd.run.parallel import ENV_VAR_KEY
from tox.session.state import State
if TYPE_CHECKING:
CaptureFixture = _CaptureFixture[str]
else:
CaptureFixture = _CaptureFixture
@pytest.fixture(autouse=True)
def ensure_logging_framework_not_altered() -> Iterator[None]:
before_handlers = list(LOGGER.handlers)
yield
LOGGER.handlers = before_handlers
@contextmanager
def check_os_environ() -> Iterator[None]:
old = os.environ.copy()
to_clean = {k: os.environ.pop(k, None) for k in {ENV_VAR_KEY, "TOX_WORK_DIR", "PYTHONPATH", "COV_CORE_CONTEXT"}}
yield
for key, value in to_clean.items():
if value is not None:
os.environ[key] = value
new = os.environ
extra = {k: new[k] for k in set(new) - set(old)}
extra.pop("PLAT", None)
miss = {k: old[k] for k in set(old) - set(new)}
diff = {
f"{k} = {old[k]} vs {new[k]}" for k in set(old) & set(new) if old[k] != new[k] and not k.startswith("PYTEST_")
}
if extra or miss or diff:
msg = "test changed environ"
if extra:
msg += f" extra {extra}"
if miss:
msg += f" miss {miss}"
if diff:
msg += f" diff {diff}"
pytest.fail(msg)
@pytest.fixture(autouse=True)
def check_os_environ_stable(monkeypatch: MonkeyPatch) -> Iterator[None]:
with check_os_environ():
yield
monkeypatch.undo()
@pytest.fixture(autouse=True)
def no_color(monkeypatch: MonkeyPatch, check_os_environ_stable: None) -> None:
monkeypatch.setenv("NO_COLOR", "yes")
class ToxProject:
def __init__(
self,
files: Dict[str, Any],
path: Path,
capsys: CaptureFixture,
monkeypatch: MonkeyPatch,
) -> None:
self.path: Path = path
self.monkeypatch: MonkeyPatch = monkeypatch
self._capsys = capsys
self._setup_files(self.path, files)
@staticmethod
def _setup_files(dest: Path, content: Dict[str, Any]) -> None:
for key, value in content.items():
if not isinstance(key, str):
raise TypeError(f"{key!r} at {dest}") # pragma: no cover
at_path = dest / key
if isinstance(value, dict):
at_path.mkdir(exist_ok=True)
ToxProject._setup_files(at_path, value)
elif isinstance(value, str):
at_path.write_text(textwrap.dedent(value))
else:
msg = "could not handle {} with content {!r}".format(at_path / key, value) # pragma: no cover
raise TypeError(msg) # pragma: no cover
@property
def structure(self) -> Dict[str, Any]:
result: Dict[str, Any] = {}
for dir_name, _, files in os.walk(str(self.path)):
dir_path = Path(dir_name)
into = result
relative = dir_path.relative_to(str(self.path))
for elem in relative.parts:
into = into.setdefault(elem, {})
for file_name in files:
into[file_name] = (dir_path / file_name).read_text()
return result
@contextmanager
def chdir(self) -> Iterator[None]:
cur_dir = os.getcwd()
os.chdir(str(self.path))
try:
yield
finally:
os.chdir(cur_dir)
def run(self, *args: str) -> "ToxRunOutcome":
with self.chdir():
state = None
self._capsys.readouterr() # start with a clean state - drain
code = None
state = None
def our_setup_state(value: Sequence[str]) -> State:
nonlocal state
state = previous_setup_state(value)
return state
with self.monkeypatch.context() as m:
m.setattr(tox.run, "setup_state", our_setup_state)
m.setattr(sys, "argv", [sys.executable, "-m", "tox"] + list(args))
m.setenv("VIRTUALENV_SYMLINK_APP_DATA", "1")
m.setenv("VIRTUALENV_SYMLINKS", "1")
try:
tox_run(args)
except SystemExit as exception:
code = exception.code
if code is None:
raise RuntimeError("exit code not set")
out, err = self._capsys.readouterr()
return ToxRunOutcome(args, self.path, code, out, err, state)
def __repr__(self) -> str:
return f"{type(self).__name__}(path={self.path}) at {id(self)}"
class ToxRunOutcome:
def __init__(self, cmd: Sequence[str], cwd: Path, code: int, out: str, err: str, state: Optional[State]) -> None:
extended_cmd = [sys.executable, "-m", "tox"]
extended_cmd.extend(cmd)
self.cmd: List[str] = extended_cmd
self.cwd: Path = cwd
self.code: int = code
self.out: str = out
self.err: str = err
self._state: Optional[State] = state
@property
def state(self) -> State:
if self._state is None:
raise RuntimeError("no state")
return self._state
@property
def success(self) -> bool:
return self.code == Outcome.OK
def assert_success(self) -> None:
assert self.success, repr(self)
def __repr__(self) -> str:
return "\n".join(
"{}{}{}".format(k, "\n" if "\n" in v else ": ", v)
for k, v in (
("code", str(self.code)),
("cmd", self.shell_cmd),
("cwd", str(self.cwd)),
("standard output", self.out),
("standard error", self.err),
)
if v
)
@property
def shell_cmd(self) -> str:
return shell_cmd(self.cmd)
def assert_out_err(self, out: str, err: str, *, dedent: bool = True, regex: bool = False) -> None:
if dedent:
out = textwrap.dedent(out).lstrip()
if regex:
self.matches(out, self.out, re.MULTILINE)
else:
assert self.out == out
if dedent:
err = textwrap.dedent(err).lstrip()
if regex:
self.matches(err, self.err, re.MULTILINE)
else:
assert self.err == err
@staticmethod
def matches(pattern: str, text: str, flags: int = 0) -> None:
try:
from re_assert import Matches
except ImportError: # pragma: no cover # hard to test
match = re.match(pattern, text, flags)
if match is None:
warnings.warn("install the re-assert PyPi package for bette error message", UserWarning)
assert match
else:
assert Matches(pattern, flags=flags) == text
ToxProjectCreator = Callable[[Dict[str, Any]], ToxProject]
@pytest.fixture(name="tox_project")
def init_fixture(tmp_path: Path, capsys: CaptureFixture, monkeypatch: MonkeyPatch) -> ToxProjectCreator:
def _init(files: Dict[str, Any]) -> ToxProject:
"""create tox projects"""
return ToxProject(files, tmp_path, capsys, monkeypatch)
return _init
@pytest.fixture()
def empty_project(tox_project: ToxProjectCreator, monkeypatch: MonkeyPatch) -> ToxProject:
project = tox_project({"tox.ini": ""})
monkeypatch.chdir(project.path)
return project
def pytest_addoption(parser: Parser) -> None:
parser.addoption("--run-integration", action="store_true", help="run the integration tests")
def pytest_configure(config: PyTestConfig) -> None:
config.addinivalue_line("markers", "integration")
@pytest.mark.trylast
def pytest_collection_modifyitems(config: PyTestConfig, items: List[Function]) -> None:
# do not require flags if called directly
if len(items) == 1: # pragma: no cover # hard to test
return
skip_int = pytest.mark.skip(reason="integration tests not run (no --run-int flag)")
def is_integration(test_item: Function) -> bool:
return test_item.get_closest_marker("integration") is not None
integration_enabled = config.getoption("--run-integration")
if not integration_enabled: # pragma: no cover # hard to test
for item in items:
if is_integration(item):
item.add_marker(skip_int)
# run integration tests after unit tests
items.sort(key=lambda i: 1 if is_integration(i) else 0)
__all__ = (
"CaptureFixture",
"LogCaptureFixture",
"MonkeyPatch",
"ToxRunOutcome",
"ToxProject",
"ToxProjectCreator",
"check_os_environ",
)
|