-
Notifications
You must be signed in to change notification settings - Fork 1
Expand file tree
/
Copy pathplugin_convention_warnings.py
More file actions
executable file
·261 lines (225 loc) · 9.63 KB
/
plugin_convention_warnings.py
File metadata and controls
executable file
·261 lines (225 loc) · 9.63 KB
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
#!/usr/bin/env python3
"""Checks conventions under ``nodescraper/plugins`` (stderr warnings only; non-blocking).
1. **Command strings in collectors/analyzers** , for ``Collector``
or ``Analyzer`` classes: a *class-level* assignment to a string (or f-string) that
looks like a shell/CLI invocation must use the name ``CMD`` or
``CMD_<suffix>`` (e.g. ``CMD_LIST``). Names starting with ``_`` and names
listed in ``_CMD_CHECK_SKIP_NAMES`` are ignored; see
``_looks_like_shell_command_literal`` for what counts as command-like.
2. **Args models** — In ``collector_args.py`` and ``analyzer_args.py``,
for classes named ``*Args`` that subclass ``BaseModel``, ``CollectorArgs``,
``AnalyzerArgs``, or another ``*Args``: each public field should assign
``pydantic.Field(...)`` with a non-empty ``description=`` (for help/CLI
text). ``ClassVar`` fields, ``_``-prefixed names, and ``model_config`` are
skipped.
"""
from __future__ import annotations
import ast
import re
import sys
from pathlib import Path
_REPO_ROOT = Path(__file__).resolve().parent.parent.parent
PLUGIN_ROOT = _REPO_ROOT / "nodescraper" / "plugins"
# Class-level names in collectors/analyzers that are not shell-command strings.
_CMD_CHECK_SKIP_NAMES = frozenset(
{
"AMD_SMI_EXE",
"DATA_MODEL",
"SUPPORTED_OS_FAMILY",
"COLLECTOR",
"ANALYZER",
"COLLECTOR_ARGS",
"ANALYZER_ARGS",
"TYPE_CHECKING",
}
)
def _is_stringish(expr: ast.expr) -> bool:
if isinstance(expr, ast.Constant) and isinstance(expr.value, str):
return True
if isinstance(expr, ast.JoinedStr):
return True
return False
def _stringish_preview(expr: ast.expr) -> str | None:
"""Best-effort static string for command-like heuristics (f-strings may be partial)."""
if isinstance(expr, ast.Constant) and isinstance(expr.value, str):
return expr.value
if isinstance(expr, ast.JoinedStr):
parts: list[str] = []
for elt in expr.values:
if isinstance(elt, ast.Constant) and isinstance(elt.value, str):
parts.append(elt.value)
else:
parts.append("\x00") # dynamic segment
return "".join(parts) if parts else ""
return None
def _looks_like_shell_command_literal(s: str) -> bool:
"""True if this class-level string is plausibly a shell/CLI invocation (not IDs, tokens, paths)."""
s = s.strip()
if not s:
return False
if re.fullmatch(r"0x[0-9a-fA-F]+", s):
return False
# OS / config tokens such as PRETTY_NAME, VERSION_ID
if re.fullmatch(r"[A-Z][A-Z0-9_]+", s):
return False
# Filenames / simple paths (no shell metacharacters)
if "." in s and not re.search(r"[\s|;&$`]", s):
return False
if re.search(r"[\s|;&$`<>]", s):
return True
# Typical one-word inband commands: uptime, sysctl, dmesg, amd-smi, etc.
if re.fullmatch(r"[a-z][a-z0-9_.-]*", s, flags=re.IGNORECASE):
return True
return False
def _base_name(node: ast.expr) -> str | None:
if isinstance(node, ast.Name):
return node.id
if isinstance(node, ast.Subscript):
return _base_name(node.value)
if isinstance(node, ast.Attribute):
return node.attr
return None
def _is_collector_or_analyzer_class(cls: ast.ClassDef) -> bool:
return cls.name.endswith("Collector") or cls.name.endswith("Analyzer")
def _field_call_name(func: ast.expr) -> bool:
if isinstance(func, ast.Name) and func.id == "Field":
return True
if isinstance(func, ast.Attribute) and func.attr == "Field":
return True
return False
def _field_has_nonempty_description(call: ast.Call) -> bool:
for kw in call.keywords:
if kw.arg != "description" or kw.value is None:
continue
v = kw.value
if isinstance(v, ast.Constant) and isinstance(v.value, str) and v.value.strip():
return True
return False
def _check_cmd_prefixes(path: Path, tree: ast.Module) -> list[str]:
"""Rule #1: warn when a command-like class attr is not ``CMD`` / ``CMD_*``."""
msgs: list[str] = []
for node in tree.body:
# Keeps only classes whose names end with Collector or Analyzer (e.g. ProcessCollector, PcieAnalyzer).
if not isinstance(node, ast.ClassDef) or not _is_collector_or_analyzer_class(node):
continue
for stmt in node.body:
if not isinstance(stmt, ast.Assign) or len(stmt.targets) != 1:
continue
t = stmt.targets[0]
if not isinstance(t, ast.Name):
continue
name = t.id
if name.startswith("_") or name in _CMD_CHECK_SKIP_NAMES:
continue
if not _is_stringish(stmt.value):
continue
preview = _stringish_preview(stmt.value)
if preview is None or not _looks_like_shell_command_literal(preview):
continue
if name == "CMD" or name.startswith("CMD_"):
continue
msgs.append(
f"{path}:{stmt.lineno}: [{node.name}] command-like class attribute {name!r} "
"should be renamed to CMD or to start with CMD_."
)
return msgs
def _is_args_class(cls: ast.ClassDef) -> bool:
if not cls.name.endswith("Args"):
return False
if not cls.bases:
return False
for b in cls.bases:
bn = _base_name(b)
if bn in ("BaseModel", "CollectorArgs", "AnalyzerArgs"):
return True
if bn and bn.endswith("Args"):
return True
return False
def _annotation_mentions_classvar(ann: ast.expr | None) -> bool:
if ann is None:
return False
if isinstance(ann, ast.Name) and ann.id == "ClassVar":
return True
if isinstance(ann, ast.Subscript):
return _annotation_mentions_classvar(ann.value)
if isinstance(ann, ast.Attribute) and ann.attr == "ClassVar":
return True
if isinstance(ann, ast.BinOp) and isinstance(ann.op, ast.BitOr):
return _annotation_mentions_classvar(ann.left) or _annotation_mentions_classvar(ann.right)
return False
def _check_args_fields(path: Path, tree: ast.Module) -> list[str]:
"""Rule #2: warn when Args fields lack ``Field`` with a non-empty ``description``."""
msgs: list[str] = []
for node in tree.body:
if not isinstance(node, ast.ClassDef) or not _is_args_class(node):
continue
for stmt in node.body:
if isinstance(stmt, ast.AnnAssign):
if _annotation_mentions_classvar(stmt.annotation):
continue
if not isinstance(stmt.target, ast.Name):
continue
field_name = stmt.target.id
if field_name.startswith("_") or field_name in ("model_config",):
continue
if stmt.value is None:
msgs.append(
f"{path}:{stmt.lineno}: [{node.name}] {field_name}: "
"use Field(..., description='...') for every Args field."
)
continue
if isinstance(stmt.value, ast.Call) and _field_call_name(stmt.value.func):
if not _field_has_nonempty_description(stmt.value):
msgs.append(
f"{path}:{stmt.lineno}: [{node.name}] {field_name}: "
"Field(...) must include a non-empty description= for help text."
)
else:
msgs.append(
f"{path}:{stmt.lineno}: [{node.name}] {field_name}: "
"must assign pydantic Field(...) with description=."
)
elif isinstance(stmt, ast.Assign) and len(stmt.targets) == 1:
t = stmt.targets[0]
if not isinstance(t, ast.Name):
continue
field_name = t.id
if field_name.startswith("_") or field_name in ("model_config",):
continue
val = stmt.value
if isinstance(val, ast.Call) and _field_call_name(val.func):
if not _field_has_nonempty_description(val):
msgs.append(
f"{path}:{stmt.lineno}: [{node.name}] {field_name}: "
"Field(...) must include a non-empty description= for help text."
)
return msgs
def main() -> None:
if not PLUGIN_ROOT.is_dir():
sys.stderr.write(f"warning: plugins directory not found: {PLUGIN_ROOT}\n")
return
all_msgs: list[str] = []
for path in sorted(PLUGIN_ROOT.rglob("*.py")):
rel = path.relative_to(_REPO_ROOT)
name = path.name
try:
src = path.read_text(encoding="utf-8")
tree = ast.parse(src, filename=str(path))
except (OSError, SyntaxError) as e:
all_msgs.append(f"{rel}: could not parse: {e}")
continue
if "collector" in name and name.endswith(".py"):
all_msgs.extend(_check_cmd_prefixes(rel, tree))
if "analyzer" in name and name.endswith(".py"):
all_msgs.extend(_check_cmd_prefixes(rel, tree))
if name == "collector_args.py" or name == "analyzer_args.py":
all_msgs.extend(_check_args_fields(rel, tree))
if all_msgs:
sys.stderr.write("plugin convention warnings (commit not blocked):\n")
for m in all_msgs:
sys.stderr.write(f" WARNING: {m}\n")
else:
sys.stdout.write("Success: no plugin convention warnings.\n")
sys.exit(0)
if __name__ == "__main__":
main()