-
Notifications
You must be signed in to change notification settings - Fork 8
/
Copy pathplugin.py
480 lines (404 loc) · 18 KB
/
plugin.py
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
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
import os
from collections import defaultdict
from collections.abc import ByteString, Iterator
from typing import Optional
import pytest
from selfie_lib import (
FS,
ArrayMap,
ArraySet,
CallStack,
CommentTracker,
DiskStorage,
DiskWriteTracker,
InlineWriteTracker,
LiteralValue,
Mode,
Snapshot,
SnapshotFile,
SnapshotFileLayout,
SnapshotSystem,
SnapshotValueReader,
SourceFile,
TypedPath,
WithinTestGC,
_clearSelfieSystem,
_initSelfieSystem,
)
from selfie_lib.Atomic import AtomicReference
from selfie_lib.WriteTracker import ToBeFileWriteTracker
from .SelfieSettingsAPI import SelfieSettingsAPI
class FSImplementation(FS):
def assert_failed(self, message, expected=None, actual=None) -> Exception:
if expected is None and actual is None:
return AssertionError(message)
expected_str = self.__nullable_to_string(expected, "")
actual_str = self.__nullable_to_string(actual, "")
if not expected_str and not actual_str and (expected is None or actual is None):
on_null = "(null)"
return self.__comparison_assertion(
message,
self.__nullable_to_string(expected, on_null),
self.__nullable_to_string(actual, on_null),
)
else:
return self.__comparison_assertion(message, expected_str, actual_str)
def __nullable_to_string(self, value, on_null: str) -> str:
return str(value) if value is not None else on_null
def __comparison_assertion(
self, message: str, expected: str, actual: str
) -> Exception:
# this *should* throw an exception that a good pytest runner will show nicely
assert expected == actual, message
# but in case it doesn't, we'll create our own here
return AssertionError(message)
class PytestSnapshotFileLayout(SnapshotFileLayout):
def __init__(self, fs: FSImplementation, settings: SelfieSettingsAPI):
super().__init__(fs)
self.__settings = settings
self.__root_folder = TypedPath.of_folder(os.path.abspath(settings.root_dir))
self.unix_newlines = self.__infer_default_line_ending_is_unix()
def root_folder(self) -> TypedPath:
return self.__root_folder
def snapshotfile_for_testfile(self, testfile: TypedPath) -> TypedPath:
if testfile.name.endswith(".py"):
return testfile.parent_folder().resolve_file(f"{testfile.name[:-3]}.ss")
else:
raise ValueError(f"Unknown file extension, expected .py: {testfile.name}")
def __infer_default_line_ending_is_unix(self) -> bool:
def walk_callback(walk: Iterator[TypedPath]) -> bool:
for file_path in walk:
try:
txt = self.fs.file_read(file_path)
# look for a file that has a newline somewhere in it
if "\n" in txt:
return "\r" not in txt
except UnicodeDecodeError: # noqa: PERF203
# might be a binary file that throws an encoding exception
pass
return True # if we didn't find any files, assume unix
return self.fs.file_walk(self.__root_folder, walk_callback)
@pytest.hookimpl
def pytest_collection_modifyitems(
session: pytest.Session, config: pytest.Config, items: list[pytest.Item]
) -> None:
settings = SelfieSettingsAPI(config)
system = PytestSnapshotSystem(settings)
session.selfie_system = system # type: ignore
_initSelfieSystem(system)
for item in items:
(file, _, testname) = item.reportinfo()
system.planning_to_run(TypedPath.of_file(os.path.abspath(file)), testname)
@pytest.hookimpl
def pytest_sessionfinish(session: pytest.Session, exitstatus): # noqa: ARG001
system: PytestSnapshotSystem = session.selfie_system # type: ignore
system.finished_all_tests()
_clearSelfieSystem(system)
@pytest.hookimpl(hookwrapper=True)
def pytest_runtest_protocol(item: pytest.Item, nextitem: Optional[pytest.Item]): # noqa: ARG001
(file, _, testname) = item.reportinfo()
testfile = TypedPath.of_file(os.path.abspath(file))
system: PytestSnapshotSystem = item.session.selfie_system # type: ignore
system.test_start(testfile, testname)
yield
system.test_finish(testfile, testname)
@pytest.hookimpl
def pytest_runtest_makereport(call: pytest.CallInfo[None], item: pytest.Item):
if call.excinfo is not None and call.when in (
"call",
"teardown",
):
system: PytestSnapshotSystem = item.session.selfie_system # type: ignore
(file, _, testname) = item.reportinfo()
system.test_failed(TypedPath.of_file(os.path.abspath(file)), testname)
class _keydefaultdict(defaultdict):
"""A special defaultdict that passes the key to the default_factory."""
def __missing__(self, key):
if self.default_factory is None:
raise KeyError(key)
else:
ret = self[key] = self.default_factory(key) # type: ignore
return ret
class PytestSnapshotSystem(SnapshotSystem):
def __init__(self, settings: SelfieSettingsAPI):
self.__fs = FSImplementation()
self.__mode = settings.calc_mode()
self.layout_pytest = PytestSnapshotFileLayout(self.__fs, settings)
self.__comment_tracker = CommentTracker()
self.__inline_write_tracker = InlineWriteTracker()
self.__toBeFileWriteTracker = ToBeFileWriteTracker()
self.__progress_per_file: defaultdict[TypedPath, SnapshotFileProgress] = (
_keydefaultdict(lambda key: SnapshotFileProgress(self, key)) # type: ignore
) # type: ignore
# the test which is running right now, if any
self.__in_progress: Optional[SnapshotFileProgress] = None
# double-checks that we don't have any tests in progress
self.check_for_invalid_state: AtomicReference[Optional[ArraySet[TypedPath]]] = (
AtomicReference(ArraySet.empty())
)
def planning_to_run(self, testfile: TypedPath, testname: str): # noqa: ARG002
progress = self.__progress_per_file[testfile]
progress.finishes_expected += 1
def mark_path_as_written(self, path: TypedPath):
def update_fun(arg: Optional[ArraySet[TypedPath]]):
if arg is None:
raise RuntimeError(
"Snapshot file is being written after all tests were finished."
)
return arg.plusOrThis(path)
self.check_for_invalid_state.update_and_get(update_fun)
def test_start(self, testfile: TypedPath, testname: str):
if self.__in_progress:
raise RuntimeError(
f"Test already in progress. {self.__in_progress.test_file} is running, can't start {testfile}"
)
self.__in_progress = self.__progress_per_file[testfile]
self.__in_progress.test_start(testname)
def test_failed(self, testfile: TypedPath, testname: str):
self.__assert_inprogress(testfile)
self.__in_progress.test_failed(testname) # type: ignore
def test_finish(self, testfile: TypedPath, testname: str):
self.__assert_inprogress(testfile)
self.__in_progress.test_finish(testname) # type: ignore
self.__in_progress = None
def __assert_inprogress(self, testfile: TypedPath):
if self.__in_progress is None:
raise RuntimeError("No test in progress")
if self.__in_progress.test_file != testfile:
raise RuntimeError(
f"{self.__in_progress.test_file} is in progress, can't accept data for {testfile}."
)
def finished_all_tests(self):
snapshotsFilesWrittenToDisk = self.check_for_invalid_state.get_and_update(
lambda _: None
)
if snapshotsFilesWrittenToDisk is None:
raise RuntimeError("finished_all_tests() was called more than once.")
if self.mode != Mode.readonly:
if self.__inline_write_tracker.hasWrites():
self.__inline_write_tracker.persist_writes(self.layout)
for path in self.__comment_tracker.paths_with_once():
source = SourceFile(path.name, self.fs.file_read(path))
source.remove_selfie_once_comments()
self.fs.file_write(path, source.as_string)
@property
def mode(self) -> Mode:
return self.__mode
@property
def fs(self) -> FS:
return self.__fs
@property
def layout(self) -> SnapshotFileLayout:
return self.layout_pytest
def disk_thread_local(self) -> DiskStorage:
if (
self.__in_progress is None
or self.__in_progress.testname_in_progress is None
):
raise RuntimeError("No test in progress")
return DiskStoragePytest(
self.__in_progress, self.__in_progress.testname_in_progress
)
def source_file_has_writable_comment(self, call: CallStack) -> bool:
return self.__comment_tracker.hasWritableComment(call, self.layout)
def write_inline(self, literal_value: LiteralValue, call: CallStack):
self.__inline_write_tracker.record(literal_value, call, self.layout)
def write_to_be_file(
self, path: TypedPath, data: "ByteString", call: CallStack
) -> None:
# Directly write to disk using ToBeFileWriteTracker
self.__toBeFileWriteTracker.writeToDisk(
path, bytes(data), call, self.layout_pytest
)
class DiskStoragePytest(DiskStorage):
def __init__(self, progress: "SnapshotFileProgress", testname: str):
self.__progress = progress
self._testname = testname
def read_disk(self, sub: str, call: "CallStack") -> Optional["Snapshot"]: # noqa: ARG002
return self.__progress.read(self._testname, self._suffix(sub))
def write_disk(self, actual: "Snapshot", sub: str, call: "CallStack"):
self.__progress.write(
self._testname,
self._suffix(sub),
actual,
call,
self.__progress.system.layout,
)
def keep(self, sub_or_keep_all: Optional[str]):
self.__progress.keep(
self._testname, self._suffix(sub_or_keep_all) if sub_or_keep_all else None
)
def _suffix(self, sub: str) -> str:
return f"/{sub}" if sub else ""
class SnapshotFileProgress:
TERMINATED = ArrayMap.empty().plus(" ~ / f!n1shed / ~ ", WithinTestGC())
def __init__(self, system: PytestSnapshotSystem, test_file: TypedPath):
self.system = system
# the test file which holds the test case which we are the snapshot file for
self.test_file = test_file
# before the tests run, we find out how many we expect to happen
self.finishes_expected = 0
# while the tests run, we count up until they have all run, and then we can cleanup
self.finishes_so_far = 0
# have any tests failed?
self.has_failed = False
# lazy-loaded snapshot file
self.file: Optional[SnapshotFile] = None
self.tests: AtomicReference[ArrayMap[str, WithinTestGC]] = AtomicReference(
ArrayMap.empty()
)
self.disk_write_tracker: Optional[DiskWriteTracker] = DiskWriteTracker()
# the test name which is currently in progress, if any
self.testname_in_progress: Optional[str] = None
self.testname_in_progress_failed = False
def assert_not_terminated(self):
if self.tests.get() == SnapshotFileProgress.TERMINATED:
raise RuntimeError(
"Cannot call methods on a terminated SnapshotFileProgress"
)
def test_start(self, testname: str):
if "/" in testname:
raise ValueError(f"Test name cannot contain '/', was {testname}")
self.assert_not_terminated()
if self.testname_in_progress is not None:
raise RuntimeError(
f"Cannot start a new test {testname}, {self.testname_in_progress} is already in progress"
)
self.testname_in_progress = testname
self.tests.update_and_get(lambda it: it.plus_or_noop(testname, WithinTestGC()))
def test_failed(self, testname: str):
self.__assert_in_progress(testname)
self.has_failed = True
self.tests.get()[testname].keep_all()
def test_finish(self, testname: str):
self.__assert_in_progress(testname)
self.finishes_so_far += 1
self.testname_in_progress = None
if self.finishes_so_far == self.finishes_expected:
self.__all_tests_finished()
def __assert_in_progress(self, testname: str):
self.assert_not_terminated()
if self.testname_in_progress is None:
raise RuntimeError("Can't finish, no test was in progress!")
if self.testname_in_progress != testname:
raise RuntimeError(
f"Can't finish {testname}, {self.testname_in_progress} was in progress"
)
def __all_tests_finished(self):
self.assert_not_terminated()
self.disk_write_tracker = None # don't need this anymore
tests = self.tests.get_and_update(lambda _: SnapshotFileProgress.TERMINATED)
if tests == SnapshotFileProgress.TERMINATED:
raise ValueError(f"Snapshot for {self.test_file} already terminated!")
if self.file is not None:
stale_snapshot_indices = []
# TODO: figure out GC # noqa: TD002, FIX002, TD003
# stale_snapshot_indices = WithinTestGC.find_stale_snapshots_within(self.file.snapshots, tests, find_test_methods_that_didnt_run(self.test_file, tests)) # noqa: ERA001
if stale_snapshot_indices or self.file.was_set_at_test_time:
self.file.remove_all_indices(stale_snapshot_indices)
snapshot_path = self.system.layout_pytest.snapshotfile_for_testfile(
self.test_file
)
if not self.file.snapshots:
delete_file_and_parent_dir_if_empty(snapshot_path)
else:
self.system.mark_path_as_written(
self.system.layout_pytest.snapshotfile_for_testfile(
self.test_file
)
)
os.makedirs(
os.path.dirname(snapshot_path.absolute_path), exist_ok=True
)
with open(
snapshot_path.absolute_path, "w", encoding="utf-8"
) as writer:
filecontent = []
self.file.serialize(filecontent)
for line in filecontent:
writer.write(line)
else:
# we never read or wrote to the file
every_test_in_class_ran = not any(
find_test_methods_that_didnt_run(self.test_file, tests)
)
is_stale = (
every_test_in_class_ran
and not self.has_failed
and all(it.succeeded_and_used_no_snapshots() for it in tests.values())
)
if is_stale:
snapshot_file = self.system.layout_pytest.snapshotfile_for_testfile(
self.test_file
)
delete_file_and_parent_dir_if_empty(snapshot_file)
# now that we are done, allow our contents to be GC'ed
self.file = None
def keep(self, test: str, suffix_or_all: Optional[str]):
self.assert_not_terminated()
if suffix_or_all is None:
self.tests.get()[test].keep_all()
else:
self.tests.get()[test].keep_suffix(suffix_or_all)
def write(
self,
test: str,
suffix: str,
snapshot: Snapshot,
call_stack: CallStack,
layout: SnapshotFileLayout,
):
self.assert_not_terminated()
key = f"{test}{suffix}"
self.disk_write_tracker.record(key, snapshot, call_stack, layout) # type: ignore
self.tests.get()[test].keep_suffix(suffix)
self.read_file().set_at_test_time(key, snapshot)
def read(self, test: str, suffix: str) -> Optional[Snapshot]:
self.assert_not_terminated()
snapshot = self.read_file().snapshots.get(f"{test}{suffix}")
if snapshot is not None:
self.tests.get()[test].keep_suffix(suffix)
return snapshot
def read_file(self) -> SnapshotFile:
if self.file is None:
snapshot_path = self.system.layout_pytest.snapshotfile_for_testfile(
self.test_file
)
if os.path.exists(snapshot_path.absolute_path) and os.path.isfile(
snapshot_path.absolute_path
):
with open(snapshot_path.absolute_path, "rb") as f:
content = f.read()
self.file = SnapshotFile.parse(SnapshotValueReader.of_binary(content))
else:
self.file = SnapshotFile.create_empty_with_unix_newlines(
self.system.layout_pytest.unix_newlines
)
return self.file
def delete_file_and_parent_dir_if_empty(snapshot_file: TypedPath):
if os.path.isfile(snapshot_file.absolute_path):
os.remove(snapshot_file.absolute_path)
# if the parent folder is now empty, delete it
parent = os.path.dirname(snapshot_file.absolute_path)
if not os.listdir(parent):
os.rmdir(parent)
def find_test_methods_that_didnt_run(
testfile: TypedPath, # noqa: ARG001
tests: ArrayMap[str, WithinTestGC], # noqa: ARG001
) -> ArrayMap[str, WithinTestGC]:
# Implementation of finding test methods that didn't run
# You can replace this with your own logic based on the class_name and tests dictionary
return ArrayMap.empty()
def pytest_addoption(parser):
group = parser.getgroup("selfie")
group.addoption(
"--foo",
action="store",
dest="dest_foo",
default="2024",
help='Set the value for the fixture "bar".',
)
parser.addini("HELLO", "Dummy pytest.ini setting")
@pytest.fixture
def bar(request):
return request.config.option.dest_foo