-
Notifications
You must be signed in to change notification settings - Fork 1
plugin_convention_warnings.py script #178
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Merged
+281
−0
Merged
Changes from all commits
Commits
Show all changes
6 commits
Select commit
Hold shift + click to select a range
379d2b1
Add non-blocking plugin convention checks pre-commit hook
ef5a6af
moved plugin convention script
f74981b
moved plugin convention script
b0cf67b
removed comment
8b04125
added doc string
3ebb076
Merge branch 'development' into jaspals_precommitchecks
alexandraBara File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,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() | ||
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Add a docstring here and comment on how the collector CMD_<> should look like. Its easier to read that than try and interpret this code. Users should be able to read the comments in this script and figure out what the rules are. Maybe add a module level docstring and details every rule there. Then reference the item number in the docstring of the function. Something like this:
module docstring:
Then in the function that checks the rule add the docstring like: