-
-
Notifications
You must be signed in to change notification settings - Fork 33.2k
/
Copy pathhass_inheritance.py
77 lines (61 loc) · 2.41 KB
/
hass_inheritance.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
"""Plugin to enforce type hints on specific functions."""
from __future__ import annotations
import re
from astroid import nodes
from pylint.checkers import BaseChecker
from pylint.lint import PyLinter
_MODULE_REGEX: re.Pattern[str] = re.compile(r"^homeassistant\.components\.\w+(\.\w+)?$")
def _get_module_platform(module_name: str) -> str | None:
"""Return the platform for the module name."""
if not (module_match := _MODULE_REGEX.match(module_name)):
# Ensure `homeassistant.components.<component>`
# Or `homeassistant.components.<component>.<platform>`
return None
platform = module_match.groups()[0]
return platform.lstrip(".") if platform else "__init__"
class HassInheritanceChecker(BaseChecker):
"""Checker for invalid inheritance."""
name = "hass_inheritance"
priority = -1
msgs = {
"W7411": (
"Invalid inheritance: %s",
"hass-invalid-inheritance",
"Used when a class has inheritance has issues",
),
}
options = ()
_module_name: str
_module_platform: str | None
def visit_module(self, node: nodes.Module) -> None:
"""Populate matchers for a Module node."""
self._module_name = node.name
self._module_platform = _get_module_platform(node.name)
def visit_classdef(self, node: nodes.ClassDef) -> None:
"""Apply relevant type hint checks on a ClassDef node."""
if self._module_platform not in {"number", "sensor"}:
return
ancestors = [a.name for a in node.ancestors()]
if (
"RestoreEntity" in ancestors
and "SensorEntity" in ancestors
and "RestoreSensor" not in ancestors
):
self.add_message(
"hass-invalid-inheritance",
node=node,
args="SensorEntity and RestoreEntity should not be combined, please use RestoreSensor",
)
elif (
"RestoreEntity" in ancestors
and "NumberEntity" in ancestors
and "RestoreNumber" not in ancestors
):
self.add_message(
"hass-invalid-inheritance",
node=node,
args="NumberEntity and RestoreEntity should not be combined, please use RestoreNumber",
)
def register(linter: PyLinter) -> None:
"""Register the checker."""
linter.register_checker(HassInheritanceChecker(linter))