-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathsilence.py
344 lines (303 loc) · 12 KB
/
silence.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
"""This module defines the `silence_errors` function."""
# remove when dropping Python 3.7-3.9 support
from __future__ import annotations
import io
import itertools
import logging
import pathlib
import sys
import tokenize
from collections.abc import Iterable, Sized
from operator import attrgetter
from typing import NamedTuple, TextIO
if sys.version_info < (3, 8):
from typing_extensions import Literal
else:
from typing import Literal
from mypy_upgrade.editing import (
add_type_ignore_comment,
format_type_ignore_comment,
remove_unused_type_ignore_comments,
)
from mypy_upgrade.filter import (
filter_by_code,
filter_by_silenceability,
filter_by_source,
)
from mypy_upgrade.parsing import (
MypyError,
parse_mypy_report,
string_to_error_codes,
)
from mypy_upgrade.utils import (
CommentSplitLine,
split_into_code_and_comment,
)
logger = logging.getLogger(__name__)
TRY_SHOW_ABSOLUTE_PATH = (
"Unable to find file {0}. This may be due to running "
"mypy in a different directory than mypy-upgrade. Please try "
"running mypy with the --show-absolute-path flag set."
)
VERBOSITY_SUGGESTION = (
"Run mypy-upgrade in verbose mode (option -v) to get a "
"full print out of affected type checking errors."
)
NOT_SILENCED_WARNING = (
"Line continuation characters and multiline (f-strings) are "
"common culprits. Possible resolutions include: 1) "
"formatting the affected code with a PEP 8-compliant "
"formatter (e.g., black), 2) refactoring the affected code "
"to avoid line continutation characters or multiline "
"f-strings, and 3) resolving the errors."
)
class MypyUpgradeResult(NamedTuple):
"""Results from running `mypy-upgrade`
Attributes:
silenced: a tuple of `MypyError` instances, each of which
representing an error that was silenced
failures: a tuple of `MypyError` instances, each of which
representing an error that `mypy-upgrade` failed to silence
ignored: a tuple of `MypyError` instances, each of which
representing an error that `mypy-upgrade` did not try to silence
"""
silenced: tuple[MypyError, ...]
failures: tuple[MypyError, ...]
ignored: tuple[MypyError, ...]
def __str__(self) -> str:
def _to_stem(count: int) -> str:
prefix = str(count)
if count == 1:
return f"{prefix} error was"
return f"{prefix} errors were"
def _summarize(errors: Sized, suffix: str) -> str:
num = len(errors)
stem = _to_stem(num)
return stem + suffix
silenced = _summarize(errors=self.silenced, suffix=" silenced.")
failures = _summarize(
errors=self.failures,
suffix=" not silenced due to syntax limitations.",
)
ignored = _summarize(errors=self.ignored, suffix=" ignored.")
return f"{silenced}\n{failures}\n{ignored}\n"
def _extract_error_details(
*,
errors: Iterable[MypyError],
) -> tuple[list[str], list[str], list[str]]:
"""Get error codes to add/remove and descriptions to add."""
codes_to_add: list[str] = []
descriptions_to_add: list[str] = []
codes_to_remove: list[str] = []
for error in errors:
codes_in_message = string_to_error_codes(string=error.message) or (
"*",
)
if error.error_code == "unused-ignore" or (
# 0 error codes in error.message = unused `type: ignore`
error.error_code == "ignore-without-code"
and "*" in codes_in_message
):
codes_to_remove.extend(codes_in_message)
elif error.error_code == "ignore-without-code":
codes_to_add.extend(codes_in_message)
descriptions_to_add.extend("No message" for _ in codes_in_message)
else:
codes_to_add.append(error.error_code)
descriptions_to_add.append(error.message)
return codes_to_add, descriptions_to_add, codes_to_remove
def create_suppression_comment(
*,
comment: str,
errors: Iterable[MypyError],
description_style: Literal["full", "none"],
fix_me: str,
) -> str:
"""Produce a type error suppression comment from the given errors.
Args:
comment: a string representing the comment on a physical line of
Python code.
errors: an `Iterable` in which each entry is a `MypyError` to be
silenced.
description_style: a string specifying the style of the description of
errors.
fix_me: a string specifying a "fix me" message to be appended after the
silencing comment.
Returns:
A type error suppression comment.
"""
to_add, descriptions, to_remove = _extract_error_details(errors=errors)
pruned_comment = remove_unused_type_ignore_comments(
comment=comment, codes_to_remove=to_remove
)
formatted_comment = format_type_ignore_comment(comment=pruned_comment)
suppression_comment = add_type_ignore_comment(
comment=formatted_comment,
error_codes=to_add,
)
if fix_me:
suppression_comment += f" # {fix_me}"
if description_style == "full" and descriptions:
suppression_comment += f" # {', '.join(descriptions)}"
return suppression_comment
def _writelines(*, file: TextIO, lines: Iterable[CommentSplitLine]) -> int:
"""Write an iterable of `CommentSplitLine`s to a file."""
to_write = []
for line in lines:
if line.code and line.comment:
if line.code.endswith(" ") and not line.comment.startswith(
"# type: ignore"
):
to_write.append(f"{line.code}{line.comment}")
else:
to_write.append(f"{line.code.rstrip()} {line.comment}")
elif line.code:
to_write.append(line.code)
else:
to_write.append(line.comment)
return file.write("\n".join(to_write))
def _log_silencing_results(
*, errors: Iterable[MypyError], safe_to_silence: Iterable[MypyError]
) -> None:
"""Logs the results of a call to `silence_errors_in_file`"""
warned = False
for error in errors:
if error in safe_to_silence:
logger.info(f"Successfully silenced error: {error!s}")
else:
if warned:
suffix = ""
else:
suffix = (
f"{NOT_SILENCED_WARNING} {VERBOSITY_SUGGESTION}"
if logger.level < logging.WARNING
else NOT_SILENCED_WARNING
)
warned = True
logger.warning(
f"Unable to silence error: {error!s} {suffix}".strip()
)
def silence_errors_in_file(
*,
file: TextIO,
errors: Iterable[MypyError],
description_style: Literal["full", "none"],
fix_me: str,
dry_run: bool = False,
) -> list[MypyError]:
"""Silence errors in a given file.
Args:
file: A `TextIO` instance opened for both reading and writing.
errors: an iterable of `MypyError`s.
description_style: a string specifying the style of error descriptions
appended to the end of error suppression comments.
- A value of "full" appends the complete error message.
- A value of "none" does not append anything.
fix_me: a string specifying the 'Fix Me' message in type error
suppresion comments. Pass "" to omit a 'Fix Me' message
altogether. All trailing whitespace will be trimmed.
dry_run: don't actually silence anything, just print what would be.
Defaults to False.
Returns:
A list of `MypyError`s which were silenced in the given file.
"""
errors = list(errors)
start = file.tell()
raw_code = file.read()
tokens = list(tokenize.generate_tokens(io.StringIO(raw_code).readline))
lines = split_into_code_and_comment(source=raw_code, tokens=tokens)
safe_to_silence = filter_by_silenceability(
errors=errors, comments=[line.comment for line in lines], tokens=tokens
)
for line_number, line_grouped_errors in itertools.groupby(
safe_to_silence, key=attrgetter("line_no")
):
i = line_number - 1
new_comment = create_suppression_comment(
comment=lines[i].comment,
errors=line_grouped_errors,
description_style=description_style,
fix_me=fix_me,
)
lines[i] = CommentSplitLine(lines[i].code, new_comment)
file.seek(start)
if not dry_run:
_ = _writelines(file=file, lines=lines)
_ = file.truncate()
_log_silencing_results(errors=errors, safe_to_silence=safe_to_silence)
return safe_to_silence
def silence_errors_in_report(
*,
report: TextIO,
packages: list[str],
modules: list[str],
files: list[str],
description_style: Literal["full", "none"],
fix_me: str,
dry_run: bool = False,
codes_to_silence: list[str] | None = None,
) -> MypyUpgradeResult:
"""Silence errors listed in a given mypy error report.
If `packages`, `modules`, and `files` are all empty, all errors listed in
the report will be silenced.
Args:
report: a text I/O opened for reading which contains the `mypy`
error report text.
packages: a list of strings representing the packages in which to
silence errors.
modules: a list of strings representing the modules in which to
silence errors.
files: a list of strings representing the files in which to
silence errors.
description_style: a string specifying the style of error descriptions
appended to the end of error suppression comments. A value of
"full" appends the complete error message. A value of "none"
does not append anything.
fix_me: a string specifying the 'Fix Me' message in type error
suppresion comments. Pass "" to omit a 'Fix Me' message
altogether. All trailing whitespace will be trimmed.
dry_run: don't actually silence anything, just print what would be.
Defaults to False.
codes_to_silence: an optional list of strings indicating the only mypy
error codes to silence. If not supplied, all errors will be
suppressed. Defaults to None.
Returns:
A `MypyUpgradeResult` object. The errors that are silenced via type
checking suppression comments are stored in the `silenced` attribute.
Those that are unable to be silenced are stored in the `failures`
attribute. Those that are ignored (as a result of `packages`,
`modules`, `files`, or `codes_to_silence`) are stored in the `ignored`
attribute.
"""
errors = parse_mypy_report(report=report)
source_filtered_errors = filter_by_source(
errors=errors, packages=packages, modules=modules, files=files
)
code_filtered_errors = filter_by_code(
errors=source_filtered_errors, codes_to_silence=codes_to_silence
)
silenced: list[MypyError] = []
for filename, filename_grouped_errors in itertools.groupby(
code_filtered_errors, key=attrgetter("filename")
):
try:
with pathlib.Path(filename).open(
mode="r+", encoding="utf-8"
) as file:
safely_silenced = silence_errors_in_file(
file=file,
errors=filename_grouped_errors,
description_style=description_style,
fix_me=fix_me,
dry_run=dry_run,
)
silenced.extend(safely_silenced)
except FileNotFoundError:
logger.warning(TRY_SHOW_ABSOLUTE_PATH.format(filename))
except tokenize.TokenError:
logger.warning(f"Unable to tokenize file: {filename}")
return MypyUpgradeResult(
silenced=(*silenced,),
failures=tuple(e for e in code_filtered_errors if e not in silenced),
ignored=tuple(e for e in errors if e not in code_filtered_errors),
)