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
|
import collections
from typing import List, Optional, Mapping, Any
import pytest
from debputy.linting.lint_util import LinterImpl, LinterPositionCodec
try:
from lsprotocol.types import Diagnostic, DiagnosticSeverity
except ImportError:
pass
try:
from Levenshtein import distance
HAS_LEVENSHTEIN = True
except ImportError:
HAS_LEVENSHTEIN = False
LINTER_POSITION_CODEC = LinterPositionCodec()
def requires_levenshtein(func: Any) -> Any:
return pytest.mark.skipif(
not HAS_LEVENSHTEIN, reason="Missing python3-levenshtein"
)(func)
def _check_diagnostics(
diagnostics: Optional[List["Diagnostic"]],
) -> Optional[List["Diagnostic"]]:
if diagnostics:
for diagnostic in diagnostics:
assert diagnostic.severity is not None
return diagnostics
def run_linter(
path: str, lines: List[str], linter: LinterImpl
) -> Optional[List["Diagnostic"]]:
uri = f"file://{path}"
return _check_diagnostics(linter(uri, path, lines, LINTER_POSITION_CODEC))
def exactly_one_diagnostic(diagnostics: Optional[List["Diagnostic"]]) -> "Diagnostic":
assert diagnostics and len(diagnostics) == 1
return diagnostics[0]
def by_range_sort_key(diagnostic: Diagnostic) -> Any:
start_pos = diagnostic.range.start
end_pos = diagnostic.range.end
return start_pos.line, start_pos.character, end_pos.line, end_pos.character
def group_diagnostics_by_severity(
diagnostics: Optional[List["Diagnostic"]],
) -> Mapping["DiagnosticSeverity", List["Diagnostic"]]:
if not diagnostics:
return {}
by_severity = collections.defaultdict(list)
for diagnostic in sorted(diagnostics, key=by_range_sort_key):
severity = diagnostic.severity
assert severity is not None
by_severity[severity].append(diagnostic)
return by_severity
|