codeclone 1.0.0__py3-none-any.whl → 1.2.0__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
codeclone/normalize.py CHANGED
@@ -1,6 +1,17 @@
1
+ """
2
+ CodeClone — AST and CFG-based code clone detector for Python
3
+ focused on architectural duplication.
4
+
5
+ Copyright (c) 2026 Den Rozhnovskiy
6
+ Licensed under the MIT License.
7
+ """
8
+
1
9
  from __future__ import annotations
2
10
 
3
11
  import ast
12
+ import copy
13
+ from ast import AST
14
+ from collections.abc import Sequence
4
15
  from dataclasses import dataclass
5
16
 
6
17
 
@@ -8,15 +19,15 @@ from dataclasses import dataclass
8
19
  class NormalizationConfig:
9
20
  ignore_docstrings: bool = True
10
21
  ignore_type_annotations: bool = True
11
- normalize_attributes: bool = True # obj.foo -> obj._ATTR_
12
- normalize_constants: bool = True # 123/"x"/None -> _CONST_
13
- normalize_names: bool = True # x,y,z -> _VAR_
22
+ normalize_attributes: bool = True
23
+ normalize_constants: bool = True
24
+ normalize_names: bool = True
14
25
 
15
26
 
16
27
  class AstNormalizer(ast.NodeTransformer):
17
28
  def __init__(self, cfg: NormalizationConfig):
18
- self.cfg = cfg
19
29
  super().__init__()
30
+ self.cfg = cfg
20
31
 
21
32
  def visit_FunctionDef(self, node: ast.FunctionDef):
22
33
  return self._visit_func(node)
@@ -24,28 +35,30 @@ class AstNormalizer(ast.NodeTransformer):
24
35
  def visit_AsyncFunctionDef(self, node: ast.AsyncFunctionDef):
25
36
  return self._visit_func(node)
26
37
 
27
- def _visit_func(self, node):
28
- # Drop docstring (first Expr(Constant(str)))
38
+ def _visit_func(self, node: ast.FunctionDef | ast.AsyncFunctionDef):
39
+ # Drop docstring
29
40
  if self.cfg.ignore_docstrings and node.body:
30
41
  first = node.body[0]
31
- if isinstance(first, ast.Expr) and isinstance(getattr(first, "value", None), ast.Constant):
32
- if isinstance(first.value.value, str):
33
- node.body = node.body[1:]
42
+ if (
43
+ isinstance(first, ast.Expr)
44
+ and isinstance(first.value, ast.Constant)
45
+ and isinstance(first.value.value, str)
46
+ ):
47
+ node.body = node.body[1:]
34
48
 
35
49
  if self.cfg.ignore_type_annotations:
36
- # Remove annotations in args + returns
37
- if hasattr(node, "returns"):
38
- node.returns = None
50
+ node.returns = None
39
51
  args = node.args
52
+
40
53
  for a in getattr(args, "posonlyargs", []):
41
54
  a.annotation = None
42
- for a in getattr(args, "args", []):
55
+ for a in args.args:
43
56
  a.annotation = None
44
- for a in getattr(args, "kwonlyargs", []):
57
+ for a in args.kwonlyargs:
45
58
  a.annotation = None
46
- if getattr(args, "vararg", None):
59
+ if args.vararg:
47
60
  args.vararg.annotation = None
48
- if getattr(args, "kwarg", None):
61
+ if args.kwarg:
49
62
  args.kwarg.annotation = None
50
63
 
51
64
  return self.generic_visit(node)
@@ -60,24 +73,58 @@ class AstNormalizer(ast.NodeTransformer):
60
73
  node.id = "_VAR_"
61
74
  return node
62
75
 
63
- def visit_Attribute(self, node: ast.Attribute):
64
- node = self.generic_visit(node)
76
+ def visit_Attribute(self, node: ast.Attribute) -> ast.Attribute:
77
+ new_node = self.generic_visit(node)
78
+ assert isinstance(new_node, ast.Attribute)
65
79
  if self.cfg.normalize_attributes:
66
- node.attr = "_ATTR_"
67
- return node
80
+ new_node.attr = "_ATTR_"
81
+ return new_node
68
82
 
69
83
  def visit_Constant(self, node: ast.Constant):
70
84
  if self.cfg.normalize_constants:
71
- # Preserve booleans? up to you; default: normalize everything
72
85
  node.value = "_CONST_"
73
86
  return node
74
87
 
88
+ def visit_AugAssign(self, node: ast.AugAssign) -> AST:
89
+ # Normalize x += 1 to x = x + 1
90
+ # This allows detecting clones where one uses += and another uses = +
91
+ # We transform AugAssign(target, op, value) to Assign([target], BinOp(target, op, value))
92
+
93
+ # Deepcopy target to avoid reuse issues in the AST
94
+ target_load = copy.deepcopy(node.target)
95
+ # Ensure context is Load() for the right-hand side usage
96
+ if hasattr(target_load, "ctx"):
97
+ target_load.ctx = ast.Load()
98
+
99
+ new_node = ast.Assign(
100
+ targets=[node.target],
101
+ value=ast.BinOp(left=target_load, op=node.op, right=node.value),
102
+ lineno=node.lineno,
103
+ col_offset=node.col_offset,
104
+ end_lineno=getattr(node, "end_lineno", None),
105
+ end_col_offset=getattr(node, "end_col_offset", None),
106
+ )
107
+ return self.generic_visit(new_node)
108
+
75
109
 
76
110
  def normalized_ast_dump(func_node: ast.AST, cfg: NormalizationConfig) -> str:
77
- """
78
- Returns stable string representation of normalized AST.
79
- """
80
111
  normalizer = AstNormalizer(cfg)
81
- new_node = ast.fix_missing_locations(normalizer.visit(ast.copy_location(func_node, func_node)))
82
- # include_attributes=False => more stable; annotate_fields=True => default
112
+ # Deepcopy to prevent side effects on the original AST
113
+ node_copy = copy.deepcopy(func_node)
114
+ new_node = ast.fix_missing_locations(normalizer.visit(node_copy))
83
115
  return ast.dump(new_node, annotate_fields=True, include_attributes=False)
116
+
117
+
118
+ def normalized_ast_dump_from_list(
119
+ nodes: Sequence[ast.AST], cfg: NormalizationConfig
120
+ ) -> str:
121
+ normalizer = AstNormalizer(cfg)
122
+ dumps: list[str] = []
123
+
124
+ for node in nodes:
125
+ # Deepcopy to prevent side effects
126
+ node_copy = copy.deepcopy(node)
127
+ new_node = ast.fix_missing_locations(normalizer.visit(node_copy))
128
+ dumps.append(ast.dump(new_node, annotate_fields=True, include_attributes=False))
129
+
130
+ return ";".join(dumps)
codeclone/report.py CHANGED
@@ -1,23 +1,33 @@
1
+ """
2
+ CodeClone — AST and CFG-based code clone detector for Python
3
+ focused on architectural duplication.
4
+
5
+ Copyright (c) 2026 Den Rozhnovskiy
6
+ Licensed under the MIT License.
7
+ """
8
+
1
9
  from __future__ import annotations
2
10
 
3
11
  import json
4
12
  from typing import Any
5
13
 
6
14
 
7
- def build_groups(units: list[dict[str, Any]]) -> dict[str, list[dict]]:
8
- groups: dict[str, list[dict]] = {}
15
+ def build_groups(units: list[dict[str, Any]]) -> dict[str, list[dict[str, Any]]]:
16
+ groups: dict[str, list[dict[str, Any]]] = {}
9
17
  for u in units:
10
18
  key = f"{u['fingerprint']}|{u['loc_bucket']}"
11
19
  groups.setdefault(key, []).append(u)
12
20
  return {k: v for k, v in groups.items() if len(v) > 1}
13
21
 
14
22
 
15
- def build_block_groups(blocks: list[dict], min_functions: int = 2) -> dict[str, list[dict]]:
16
- groups: dict[str, list[dict]] = {}
23
+ def build_block_groups(
24
+ blocks: list[dict[str, Any]], min_functions: int = 2
25
+ ) -> dict[str, list[dict[str, Any]]]:
26
+ groups: dict[str, list[dict[str, Any]]] = {}
17
27
  for b in blocks:
18
28
  groups.setdefault(b["block_hash"], []).append(b)
19
29
 
20
- filtered: dict[str, list[dict]] = {}
30
+ filtered: dict[str, list[dict[str, Any]]] = {}
21
31
  for h, items in groups.items():
22
32
  functions = {i["qualname"] for i in items}
23
33
  if len(functions) >= min_functions:
@@ -27,19 +37,25 @@ def build_block_groups(blocks: list[dict], min_functions: int = 2) -> dict[str,
27
37
 
28
38
 
29
39
  def to_json(groups: dict) -> str:
30
- return json.dumps({
31
- "group_count": len(groups),
32
- "groups": [
33
- {"key": k, "count": len(v), "items": v}
34
- for k, v in sorted(groups.items(), key=lambda kv: len(kv[1]), reverse=True)
35
- ],
36
- }, ensure_ascii=False, indent=2)
40
+ return json.dumps(
41
+ {
42
+ "group_count": len(groups),
43
+ "groups": [
44
+ {"key": k, "count": len(v), "items": v}
45
+ for k, v in sorted(
46
+ groups.items(), key=lambda kv: len(kv[1]), reverse=True
47
+ )
48
+ ],
49
+ },
50
+ ensure_ascii=False,
51
+ indent=2,
52
+ )
37
53
 
38
54
 
39
55
  def to_text(groups: dict) -> str:
40
56
  lines: list[str] = []
41
57
  for i, (_, v) in enumerate(
42
- sorted(groups.items(), key=lambda kv: len(kv[1]), reverse=True)
58
+ sorted(groups.items(), key=lambda kv: len(kv[1]), reverse=True)
43
59
  ):
44
60
  lines.append(f"\n=== Clone group #{i + 1} (count={len(v)}) ===")
45
61
  for item in v:
codeclone/scanner.py CHANGED
@@ -1,14 +1,33 @@
1
+ """
2
+ CodeClone — AST and CFG-based code clone detector for Python
3
+ focused on architectural duplication.
4
+
5
+ Copyright (c) 2026 Den Rozhnovskiy
6
+ Licensed under the MIT License.
7
+ """
8
+
1
9
  from __future__ import annotations
2
10
 
3
11
  from pathlib import Path
4
12
  from typing import Iterable
5
13
 
6
14
  DEFAULT_EXCLUDES = (
7
- ".git", ".venv", "venv", "__pycache__", "site-packages",
8
- "migrations", "alembic", "dist", "build", ".tox",
15
+ ".git",
16
+ ".venv",
17
+ "venv",
18
+ "__pycache__",
19
+ "site-packages",
20
+ "migrations",
21
+ "alembic",
22
+ "dist",
23
+ "build",
24
+ ".tox",
9
25
  )
10
26
 
11
- def iter_py_files(root: str, excludes: tuple[str, ...] = DEFAULT_EXCLUDES) -> Iterable[str]:
27
+
28
+ def iter_py_files(
29
+ root: str, excludes: tuple[str, ...] = DEFAULT_EXCLUDES
30
+ ) -> Iterable[str]:
12
31
  rootp = Path(root)
13
32
  for p in rootp.rglob("*.py"):
14
33
  parts = set(p.parts)
@@ -16,6 +35,7 @@ def iter_py_files(root: str, excludes: tuple[str, ...] = DEFAULT_EXCLUDES) -> It
16
35
  continue
17
36
  yield str(p)
18
37
 
38
+
19
39
  def module_name_from_path(root: str, filepath: str) -> str:
20
40
  rootp = Path(root).resolve()
21
41
  fp = Path(filepath).resolve()
@@ -25,4 +45,4 @@ def module_name_from_path(root: str, filepath: str) -> str:
25
45
  # __init__.py -> package name
26
46
  if stem.name == "__init__":
27
47
  stem = stem.parent
28
- return ".".join(stem.parts)
48
+ return ".".join(stem.parts)
@@ -0,0 +1,264 @@
1
+ Metadata-Version: 2.4
2
+ Name: codeclone
3
+ Version: 1.2.0
4
+ Summary: AST and CFG-based code clone detector for Python focused on architectural duplication
5
+ Author-email: Den Rozhnovskiy <pytelemonbot@mail.ru>
6
+ Maintainer-email: Den Rozhnovskiy <pytelemonbot@mail.ru>
7
+ License: MIT
8
+ Project-URL: Homepage, https://github.com/orenlab/codeclone
9
+ Project-URL: Repository, https://github.com/orenlab/codeclone
10
+ Project-URL: Issues, https://github.com/orenlab/codeclone/issues
11
+ Project-URL: Changelog, https://github.com/orenlab/codeclone/releases
12
+ Project-URL: Documentation, https://github.com/orenlab/codeclone/tree/main/docs
13
+ Keywords: python,ast,code-clone,duplication,static-analysis,ci,architecture
14
+ Classifier: Development Status :: 5 - Production/Stable
15
+ Classifier: Intended Audience :: Developers
16
+ Classifier: Topic :: Software Development :: Quality Assurance
17
+ Classifier: Topic :: Software Development :: Code Generators
18
+ Classifier: Topic :: Software Development :: Testing
19
+ Classifier: Typing :: Typed
20
+ Classifier: License :: OSI Approved :: MIT License
21
+ Classifier: Programming Language :: Python :: 3
22
+ Classifier: Programming Language :: Python :: 3.10
23
+ Classifier: Programming Language :: Python :: 3.11
24
+ Classifier: Programming Language :: Python :: 3.12
25
+ Classifier: Programming Language :: Python :: 3.13
26
+ Classifier: Programming Language :: Python :: 3.14
27
+ Classifier: Operating System :: OS Independent
28
+ Requires-Python: >=3.10
29
+ Description-Content-Type: text/markdown
30
+ License-File: LICENSE
31
+ Requires-Dist: pygments>=2.19.2
32
+ Requires-Dist: rich>=14.3.2
33
+ Provides-Extra: dev
34
+ Requires-Dist: pytest>=9.0.0; extra == "dev"
35
+ Requires-Dist: build>=1.2.0; extra == "dev"
36
+ Requires-Dist: twine>=5.0.0; extra == "dev"
37
+ Requires-Dist: mypy>=1.19.1; extra == "dev"
38
+ Dynamic: license-file
39
+
40
+ # CodeClone
41
+
42
+ [![PyPI](https://img.shields.io/pypi/v/codeclone.svg)](https://pypi.org/project/codeclone/)
43
+ [![Downloads](https://img.shields.io/pypi/dm/codeclone.svg)](https://pypi.org/project/codeclone/)
44
+ [![Python](https://img.shields.io/pypi/pyversions/codeclone.svg)](https://pypi.org/project/codeclone/)
45
+ [![License](https://img.shields.io/pypi/l/codeclone.svg)](LICENSE)
46
+
47
+ **CodeClone** is a Python code clone detector based on **normalized AST and control-flow graphs (CFG)**.
48
+ It helps teams discover architectural duplication and prevent new copy-paste from entering the codebase via CI.
49
+
50
+ CodeClone is designed to help teams:
51
+
52
+ - discover **structural and control-flow duplication**,
53
+ - identify architectural hotspots,
54
+ - prevent *new* duplication via CI and pre-commit hooks.
55
+
56
+ Unlike token- or text-based tools, CodeClone operates on **normalized Python AST and CFG**, making it robust against renaming,
57
+ formatting, and minor refactoring.
58
+
59
+ ---
60
+
61
+ ## Why CodeClone?
62
+
63
+ Most existing tools detect *textual* duplication.
64
+ CodeClone detects **structural and block-level duplication**, which usually signals missing abstractions or architectural drift.
65
+
66
+ Typical use cases:
67
+
68
+ - duplicated service or orchestration logic across layers (API ↔ application),
69
+ - repeated validation or guard blocks,
70
+ - copy-pasted request / handler flows,
71
+ - duplicated control-flow logic in routers, handlers, or services.
72
+
73
+ ---
74
+
75
+ ## Features
76
+
77
+ ### Function-level clone detection (Type-2, CFG-based)
78
+
79
+ - Detects functions and methods with identical **control-flow structure**.
80
+ - Based on **Control Flow Graph (CFG)** fingerprinting.
81
+ - Robust to:
82
+ - variable renaming,
83
+ - constant changes,
84
+ - attribute renaming,
85
+ - formatting differences,
86
+ - docstrings and type annotations.
87
+ - Ideal for spotting architectural duplication across layers.
88
+
89
+ ### Block-level clone detection (Type-3-lite)
90
+
91
+ - Detects repeated **statement blocks** inside larger functions.
92
+ - Uses sliding windows over CFG-normalized statement sequences.
93
+ - Targets:
94
+ - validation blocks,
95
+ - guard clauses,
96
+ - repeated orchestration logic.
97
+ - Carefully filtered to reduce noise:
98
+ - no overlapping windows,
99
+ - no clones inside the same function,
100
+ - no `__init__` noise,
101
+ - size and statement-count thresholds.
102
+
103
+ ### Control-Flow Awareness (CFG v1)
104
+
105
+ - Each function is converted into a **Control Flow Graph**.
106
+ - CFG nodes contain normalized AST statements.
107
+ - CFG edges represent structural control flow:
108
+ - `if` / `else`
109
+ - `for` / `async for` / `while`
110
+ - `try` / `except` / `finally`
111
+ - `with` / `async with`
112
+ - `match` / `case` (Python 3.10+)
113
+ - Current CFG semantics (v1):
114
+ - `break` and `continue` are treated as statements (no jump targets),
115
+ - after-blocks are explicit and always present,
116
+ - focus is on **structural similarity**, not precise runtime semantics.
117
+
118
+ This design keeps clone detection **stable, deterministic, and low-noise**.
119
+
120
+ ### Low-noise by design
121
+
122
+ - AST + CFG normalization instead of token matching.
123
+ - Conservative defaults tuned for real-world Python projects.
124
+ - Explicit thresholds for size and statement count.
125
+ - Focus on *architectural duplication*, not micro-similarities.
126
+
127
+ ### CI-friendly baseline mode
128
+
129
+ - Establish a baseline of existing clones.
130
+ - Fail CI **only when new clones are introduced**.
131
+ - Safe for legacy codebases and incremental refactoring.
132
+
133
+ ---
134
+
135
+ ## Installation
136
+
137
+ ```bash
138
+ pip install codeclone
139
+ ```
140
+
141
+ Python **3.10+** is required.
142
+
143
+ ---
144
+
145
+ ## Quick Start
146
+
147
+ Run on a project:
148
+
149
+ ```bash
150
+ codeclone .
151
+ ```
152
+
153
+ This will:
154
+
155
+ - scan Python files,
156
+ - build CFGs for functions,
157
+ - detect function-level and block-level clones,
158
+ - print a summary to stdout.
159
+
160
+ Generate reports:
161
+
162
+ ```bash
163
+ codeclone . \
164
+ --json .cache/codeclone/report.json \
165
+ --text .cache/codeclone/report.txt
166
+ ```
167
+
168
+ Generate an HTML report:
169
+
170
+ ```bash
171
+ codeclone . --html .cache/codeclone/report.html
172
+ ```
173
+
174
+ ---
175
+
176
+ ## Baseline Workflow (Recommended)
177
+
178
+ ### 1. Create a baseline
179
+
180
+ Run once on your current codebase:
181
+
182
+ ```bash
183
+ codeclone . --update-baseline
184
+ ```
185
+
186
+ Commit the generated baseline file to the repository.
187
+
188
+ ### 2. Use in CI
189
+
190
+ ```bash
191
+ codeclone . --fail-on-new
192
+ ```
193
+
194
+ Behavior:
195
+
196
+ - ✅ existing clones are allowed,
197
+ - ❌ build fails if *new* clones appear,
198
+ - ✅ refactoring that removes duplication is always allowed.
199
+
200
+ ---
201
+
202
+ ## Using with pre-commit
203
+
204
+ ```yaml
205
+ repos:
206
+ - repo: local
207
+ hooks:
208
+ - id: codeclone
209
+ name: CodeClone
210
+ entry: codeclone
211
+ language: python
212
+ args: [".", "--fail-on-new"]
213
+ types: [python]
214
+ ```
215
+
216
+ ---
217
+
218
+ ## What CodeClone Is (and Is Not)
219
+
220
+ ### CodeClone **is**
221
+
222
+ - an architectural analysis tool,
223
+ - a duplication radar,
224
+ - a CI guard against copy-paste,
225
+ - a control-flow-aware clone detector.
226
+
227
+ ### CodeClone **is not**
228
+
229
+ - a linter,
230
+ - a formatter,
231
+ - a semantic equivalence prover,
232
+ - a runtime analyzer.
233
+
234
+ ---
235
+
236
+ ## How It Works (High Level)
237
+
238
+ 1. Parse Python source into AST.
239
+ 2. Normalize AST (names, constants, attributes, annotations).
240
+ 3. Build a **Control Flow Graph (CFG)** per function.
241
+ 4. Compute stable CFG fingerprints.
242
+ 5. Detect function-level and block-level clones.
243
+ 6. Apply conservative filters to suppress noise.
244
+
245
+ See the architectural overview:
246
+ - [docs/architecture.md](docs/architecture.md)
247
+
248
+ ---
249
+
250
+ ## Control Flow Graph (CFG)
251
+
252
+ Starting from **version 1.1.0**, CodeClone uses a **Control Flow Graph (CFG)**
253
+ to improve structural clone detection robustness.
254
+
255
+ The CFG is a **structural abstraction**, not a runtime execution model.
256
+
257
+ See full design and semantics:
258
+ - [docs/cfg.md](docs/cfg.md)
259
+
260
+ ---
261
+
262
+ ## License
263
+
264
+ MIT License
@@ -0,0 +1,19 @@
1
+ codeclone/__init__.py,sha256=_MZuqgioYGn49qw6_OluedgcRvuu8IhAwVgHkM4Kj7s,364
2
+ codeclone/baseline.py,sha256=tV-vgCpyQi-g1AlWJwuUFDeQwUZuhj4tX-BxFDv-LWo,1719
3
+ codeclone/blockhash.py,sha256=jOswW9jqe9ww3y4r-gLTUZjMmn0CHXpU5qTtFndKQ10,594
4
+ codeclone/blocks.py,sha256=Y75BSpzf-zyyeD9-vKnQfJ3QwIjYxMwiN9DbEqnbONg,1735
5
+ codeclone/cache.py,sha256=DexslhZfxj79fnoPna8r_oBCqmsstN2ICRA_o6ZVpGo,1559
6
+ codeclone/cfg.py,sha256=op503zRnew2ZIz5coK_HUaKt1VG1ucJBacXAZ1rBJYQ,11587
7
+ codeclone/cli.py,sha256=c_61l3wSF2nbTZgd6LmvoUvejXatydPAPmJyRknHx78,13229
8
+ codeclone/extractor.py,sha256=crCxgkK1n2fl5FUz6HtbaEZUH5CO8S0zqM0Xj0RSE6E,4558
9
+ codeclone/fingerprint.py,sha256=H0YY209sfGf02VeLlxHNDp7n6es0vLiMmq3TBWDm3SE,545
10
+ codeclone/html_report.py,sha256=e7gYxEHk5ezJtGUYIYsQlcxu_0fP3hmd9jj-zMWMfJY,25574
11
+ codeclone/normalize.py,sha256=bvMoY3VDiZsnFiD50h5XUgwnMUKOyUEx6lJXCBiembg,4290
12
+ codeclone/report.py,sha256=IwblTgZe4liTq3gHagnw6O4ZUkRqJ448XqzhLhJZoWM,1972
13
+ codeclone/scanner.py,sha256=BdJFyaLv1xvimVkJyvvTN0FcG2RQZzRlTlHWi2fRQnU,1050
14
+ codeclone-1.2.0.dist-info/licenses/LICENSE,sha256=ndXAbunvN-jCQjgCaoBOF5AN4FcRlAa0R7hK1lWDuBU,1073
15
+ codeclone-1.2.0.dist-info/METADATA,sha256=RekVw29wHrLX0fHNLBYS9Ky6Ee6oFnntQxeCOcRbMTM,7255
16
+ codeclone-1.2.0.dist-info/WHEEL,sha256=wUyA8OaulRlbfwMtmQsvNngGrxQHAvkKcvRmdizlJi0,92
17
+ codeclone-1.2.0.dist-info/entry_points.txt,sha256=_MI9DVTLOmv3OlxpyogdOmMAduiLVIdHeOlZ_KBsrIY,49
18
+ codeclone-1.2.0.dist-info/top_level.txt,sha256=4tQa_d-4Zle-qV9KmNDkWq0WHYgZsW9vdaeF30rNntg,10
19
+ codeclone-1.2.0.dist-info/RECORD,,
@@ -1,5 +1,5 @@
1
1
  Wheel-Version: 1.0
2
- Generator: setuptools (80.9.0)
2
+ Generator: setuptools (80.10.2)
3
3
  Root-Is-Purelib: true
4
4
  Tag: py3-none-any
5
5