Skip to content

Commit 4889c0c

Browse files
rwbartongvanrossum
authored andcommitted
Warn about unused '# type: ignore' comments (#1695)
This commit also simplifies the handling of ignored_lines slightly, setting them once in the Errors object for each file file after it is parsed. Fixes #1345 and #1739.
1 parent d379a93 commit 4889c0c

File tree

8 files changed

+108
-34
lines changed

8 files changed

+108
-34
lines changed

mypy/build.py

+22-2
Original file line numberDiff line numberDiff line change
@@ -70,6 +70,8 @@
7070
WARN_INCOMPLETE_STUB = 'warn-incomplete-stub'
7171
# Warn about casting an expression to its inferred type
7272
WARN_REDUNDANT_CASTS = 'warn-redundant-casts'
73+
# Warn about unused '# type: ignore' comments
74+
WARN_UNUSED_IGNORES = 'warn-unused-ignores'
7375

7476
PYTHON_EXTENSIONS = ['.pyi', '.py']
7577

@@ -456,9 +458,26 @@ def parse_file(self, id: str, path: str, source: str) -> MypyFile:
456458
custom_typing_module=self.custom_typing_module,
457459
fast_parser=FAST_PARSER in self.flags)
458460
tree._fullname = id
461+
462+
# We don't want to warn about 'type: ignore' comments on
463+
# imports, but we're about to modify tree.imports, so grab
464+
# these first.
465+
import_lines = set(node.line for node in tree.imports)
466+
467+
# Skip imports that have been ignored (so that we can ignore a C extension module without
468+
# stub, for example), except for 'from x import *', because we wouldn't be able to
469+
# determine which names should be defined unless we process the module. We can still
470+
# ignore errors such as redefinitions when using the latter form.
471+
imports = [node for node in tree.imports
472+
if node.line not in tree.ignored_lines or isinstance(node, ImportAll)]
473+
tree.imports = imports
474+
459475
if self.errors.num_messages() != num_errs:
460476
self.log("Bailing due to parse errors")
461477
self.errors.raise_error()
478+
479+
self.errors.set_file_ignored_lines(path, tree.ignored_lines)
480+
self.errors.mark_file_ignored_lines_used(path, import_lines)
462481
return tree
463482

464483
def module_not_found(self, path: str, line: int, id: str) -> None:
@@ -1088,8 +1107,7 @@ def __init__(self,
10881107
suppress_message = ((SILENT_IMPORTS in manager.flags and
10891108
ALMOST_SILENT not in manager.flags) or
10901109
(caller_state.tree is not None and
1091-
(caller_line in caller_state.tree.ignored_lines or
1092-
'import' in caller_state.tree.weak_opts)))
1110+
'import' in caller_state.tree.weak_opts))
10931111
if not suppress_message:
10941112
save_import_context = manager.errors.import_context()
10951113
manager.errors.set_import_context(caller_state.import_context)
@@ -1333,6 +1351,8 @@ def dispatch(sources: List[BuildSource], manager: BuildManager) -> None:
13331351
graph = load_graph(sources, manager)
13341352
manager.log("Loaded graph with %d nodes" % len(graph))
13351353
process_graph(graph, manager)
1354+
if WARN_UNUSED_IGNORES in manager.flags:
1355+
manager.errors.generate_unused_ignore_notes()
13361356

13371357

13381358
def load_graph(sources: List[BuildSource], manager: BuildManager) -> Graph:

mypy/checker.py

+1-3
Original file line numberDiff line numberDiff line change
@@ -420,7 +420,6 @@ def visit_file(self, file_node: MypyFile, path: str) -> None:
420420
self.pass_num = 0
421421
self.is_stub = file_node.is_stub
422422
self.errors.set_file(path)
423-
self.errors.set_ignored_lines(file_node.ignored_lines)
424423
self.globals = file_node.names
425424
self.weak_opts = file_node.weak_opts
426425
self.enter_partial_types()
@@ -435,7 +434,6 @@ def visit_file(self, file_node: MypyFile, path: str) -> None:
435434
if self.deferred_nodes:
436435
self.check_second_pass()
437436

438-
self.errors.set_ignored_lines(set())
439437
self.current_node_deferred = False
440438

441439
all_ = self.globals.get('__all__')
@@ -1525,7 +1523,7 @@ def set_inference_error_fallback_type(self, var: Var, lvalue: Node, type: Type,
15251523
15261524
We implement this here by giving x a valid type (Any).
15271525
"""
1528-
if context.get_line() in self.errors.ignored_lines:
1526+
if context.get_line() in self.errors.ignored_lines[self.errors.file]:
15291527
self.set_inferred_type(var, lvalue, AnyType())
15301528

15311529
def narrow_type_from_binder(self, expr: Node, known_type: Type) -> Type:

mypy/errors.py

+47-17
Original file line numberDiff line numberDiff line change
@@ -2,8 +2,9 @@
22
import os.path
33
import sys
44
import traceback
5+
from collections import OrderedDict, defaultdict
56

6-
from typing import Tuple, List, TypeVar, Set
7+
from typing import Tuple, List, TypeVar, Set, Dict, Optional
78

89

910
T = TypeVar('T')
@@ -79,8 +80,11 @@ class Errors:
7980
# Stack of short names of current functions or members (or None).
8081
function_or_member = None # type: List[str]
8182

82-
# Ignore errors on these lines.
83-
ignored_lines = None # type: Set[int]
83+
# Ignore errors on these lines of each file.
84+
ignored_lines = None # type: Dict[str, Set[int]]
85+
86+
# Lines on which an error was actually ignored.
87+
used_ignored_lines = None # type: Dict[str, Set[int]]
8488

8589
# Collection of reported only_once messages.
8690
only_once_messages = None # type: Set[str]
@@ -90,7 +94,8 @@ def __init__(self) -> None:
9094
self.import_ctx = []
9195
self.type_name = [None]
9296
self.function_or_member = [None]
93-
self.ignored_lines = set()
97+
self.ignored_lines = OrderedDict()
98+
self.used_ignored_lines = defaultdict(set)
9499
self.only_once_messages = set()
95100

96101
def copy(self) -> 'Errors':
@@ -109,13 +114,26 @@ def set_ignore_prefix(self, prefix: str) -> None:
109114
prefix += os.sep
110115
self.ignore_prefix = prefix
111116

112-
def set_file(self, file: str) -> None:
113-
"""Set the path of the current file."""
117+
def simplify_path(self, file: str) -> str:
114118
file = os.path.normpath(file)
115-
self.file = remove_path_prefix(file, self.ignore_prefix)
119+
return remove_path_prefix(file, self.ignore_prefix)
120+
121+
def set_file(self, file: str, ignored_lines: Set[int] = None) -> None:
122+
"""Set the path of the current file."""
123+
# The path will be simplified later, in render_messages. That way
124+
# * 'file' is always a key that uniquely identifies a source file
125+
# that mypy read (simplified paths might not be unique); and
126+
# * we only have to simplify in one place, while still supporting
127+
# reporting errors for files other than the one currently being
128+
# processed.
129+
self.file = file
130+
131+
def set_file_ignored_lines(self, file: str, ignored_lines: Set[int] = None) -> None:
132+
self.ignored_lines[file] = ignored_lines
116133

117-
def set_ignored_lines(self, ignored_lines: Set[int]) -> None:
118-
self.ignored_lines = ignored_lines
134+
def mark_file_ignored_lines_used(self, file: str, used_ignored_lines: Set[int] = None
135+
) -> None:
136+
self.used_ignored_lines[file] |= used_ignored_lines
119137

120138
def push_function(self, name: str) -> None:
121139
"""Set the current function or member short name (it can be None)."""
@@ -170,15 +188,25 @@ def report(self, line: int, message: str, blocker: bool = False,
170188
self.add_error_info(info)
171189

172190
def add_error_info(self, info: ErrorInfo) -> None:
173-
if info.line in self.ignored_lines:
191+
if info.file in self.ignored_lines and info.line in self.ignored_lines[info.file]:
174192
# Annotation requests us to ignore all errors on this line.
193+
self.used_ignored_lines[info.file].add(info.line)
175194
return
176195
if info.only_once:
177196
if info.message in self.only_once_messages:
178197
return
179198
self.only_once_messages.add(info.message)
180199
self.error_info.append(info)
181200

201+
def generate_unused_ignore_notes(self) -> None:
202+
for file, ignored_lines in self.ignored_lines.items():
203+
for line in ignored_lines - self.used_ignored_lines[file]:
204+
# Don't use report since add_error_info will ignore the error!
205+
info = ErrorInfo(self.import_context(), file, None, None,
206+
line, 'note', "unused 'type: ignore' comment",
207+
False, False)
208+
self.error_info.append(info)
209+
182210
def num_messages(self) -> int:
183211
"""Return the number of generated messages."""
184212
return len(self.error_info)
@@ -254,32 +282,34 @@ def render_messages(self, errors: List[ErrorInfo]) -> List[Tuple[str, int,
254282
result.append((None, -1, 'note', fmt.format(path, line)))
255283
i -= 1
256284

285+
file = self.simplify_path(e.file)
286+
257287
# Report context within a source file.
258288
if (e.function_or_member != prev_function_or_member or
259289
e.type != prev_type):
260290
if e.function_or_member is None:
261291
if e.type is None:
262-
result.append((e.file, -1, 'note', 'At top level:'))
292+
result.append((file, -1, 'note', 'At top level:'))
263293
else:
264-
result.append((e.file, -1, 'note', 'In class "{}":'.format(
294+
result.append((file, -1, 'note', 'In class "{}":'.format(
265295
e.type)))
266296
else:
267297
if e.type is None:
268-
result.append((e.file, -1, 'note',
298+
result.append((file, -1, 'note',
269299
'In function "{}":'.format(
270300
e.function_or_member)))
271301
else:
272-
result.append((e.file, -1, 'note',
302+
result.append((file, -1, 'note',
273303
'In member "{}" of class "{}":'.format(
274304
e.function_or_member, e.type)))
275305
elif e.type != prev_type:
276306
if e.type is None:
277-
result.append((e.file, -1, 'note', 'At top level:'))
307+
result.append((file, -1, 'note', 'At top level:'))
278308
else:
279-
result.append((e.file, -1, 'note',
309+
result.append((file, -1, 'note',
280310
'In class "{}":'.format(e.type)))
281311

282-
result.append((e.file, e.line, e.severity, e.message))
312+
result.append((file, e.line, e.severity, e.message))
283313

284314
prev_import_context = e.import_ctx
285315
prev_function_or_member = e.function_or_member

mypy/main.py

+5
Original file line numberDiff line numberDiff line change
@@ -155,6 +155,8 @@ def parse_version(v):
155155
" --check-untyped-defs enabled")
156156
parser.add_argument('--warn-redundant-casts', action='store_true',
157157
help="warn about casting an expression to its inferred type")
158+
parser.add_argument('--warn-unused-ignores', action='store_true',
159+
help="warn about unneeded '# type: ignore' comments")
158160
parser.add_argument('--fast-parser', action='store_true',
159161
help="enable experimental fast parser")
160162
parser.add_argument('-i', '--incremental', action='store_true',
@@ -256,6 +258,9 @@ def parse_version(v):
256258
if args.warn_redundant_casts:
257259
options.build_flags.append(build.WARN_REDUNDANT_CASTS)
258260

261+
if args.warn_unused_ignores:
262+
options.build_flags.append(build.WARN_UNUSED_IGNORES)
263+
259264
# experimental
260265
if args.fast_parser:
261266
options.build_flags.append(build.FAST_PARSER)

mypy/parse.py

+1-7
Original file line numberDiff line numberDiff line change
@@ -176,13 +176,7 @@ def parse_file(self) -> MypyFile:
176176
defs = self.parse_defs()
177177
weak_opts = self.weak_opts()
178178
self.expect_type(Eof)
179-
# Skip imports that have been ignored (so that we can ignore a C extension module without
180-
# stub, for example), except for 'from x import *', because we wouldn't be able to
181-
# determine which names should be defined unless we process the module. We can still
182-
# ignore errors such as redefinitions when using the latter form.
183-
imports = [node for node in self.imports
184-
if node.line not in self.ignored_lines or isinstance(node, ImportAll)]
185-
node = MypyFile(defs, imports, is_bom, self.ignored_lines,
179+
node = MypyFile(defs, self.imports, is_bom, self.ignored_lines,
186180
weak_opts=weak_opts)
187181
return node
188182

mypy/semanal.py

-5
Original file line numberDiff line numberDiff line change
@@ -220,7 +220,6 @@ def __init__(self,
220220

221221
def visit_file(self, file_node: MypyFile, fnam: str) -> None:
222222
self.errors.set_file(fnam)
223-
self.errors.set_ignored_lines(file_node.ignored_lines)
224223
self.cur_mod_node = file_node
225224
self.cur_mod_id = file_node.fullname()
226225
self.is_stub_file = fnam.lower().endswith('.pyi')
@@ -243,8 +242,6 @@ def visit_file(self, file_node: MypyFile, fnam: str) -> None:
243242
if self.cur_mod_id == 'builtins':
244243
remove_imported_names_from_symtable(self.globals, 'builtins')
245244

246-
self.errors.set_ignored_lines(set())
247-
248245
if '__all__' in self.globals:
249246
for name, g in self.globals.items():
250247
if name not in self.all_exports:
@@ -2477,9 +2474,7 @@ def __init__(self, modules: Dict[str, MypyFile], errors: Errors) -> None:
24772474

24782475
def visit_file(self, file_node: MypyFile, fnam: str) -> None:
24792476
self.errors.set_file(fnam)
2480-
self.errors.set_ignored_lines(file_node.ignored_lines)
24812477
self.accept(file_node)
2482-
self.errors.set_ignored_lines(set())
24832478

24842479
def accept(self, node: Node) -> None:
24852480
try:

test-data/unit/check-ignore.test

+11
Original file line numberDiff line numberDiff line change
@@ -184,3 +184,14 @@ def bar(x: Base[str, str]) -> None: pass
184184
bar(Child())
185185
[out]
186186
main:19: error: Argument 1 to "bar" has incompatible type "Child"; expected Base[str, str]
187+
188+
[case testTypeIgnoreLineNumberWithinFile]
189+
import m
190+
pass # type: ignore
191+
m.f(kw=1)
192+
[file m.py]
193+
pass
194+
def f() -> None: pass
195+
[out]
196+
main:3: error: Unexpected keyword argument "kw" for "f"
197+
tmp/m.py:2: note: "f" defined here

test-data/unit/check-warnings.test

+21
Original file line numberDiff line numberDiff line change
@@ -34,3 +34,24 @@ b = B()
3434
# Without the cast, the following line would fail to type check.
3535
c = add([cast(A, b)], [a])
3636
[builtins fixtures/list.py]
37+
38+
39+
-- Unused 'type: ignore' comments
40+
-- ------------------------------
41+
42+
[case testUnusedTypeIgnore]
43+
# flags: warn-unused-ignores
44+
a = 1
45+
a = 'a' # type: ignore
46+
a = 2 # type: ignore # N: unused 'type: ignore' comment
47+
a = 'b' # E: Incompatible types in assignment (expression has type "str", variable has type "int")
48+
49+
[case testUnusedTypeIgnoreImport]
50+
# flags: warn-unused-ignores
51+
# Never warn about `type: ignore` comments on imports.
52+
import banana # type: ignore
53+
import m # type: ignore
54+
from m import * # type: ignore
55+
[file m.py]
56+
pass
57+
[out]

0 commit comments

Comments
 (0)