ai-cr 2.0.0.dev1__py3-none-any.whl → 2.0.1__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.
gito/report_struct.py CHANGED
@@ -1,132 +1,134 @@
1
- import json
2
- import logging
3
- from dataclasses import dataclass, field, asdict
4
- from datetime import datetime
5
- from enum import StrEnum
6
- from pathlib import Path
7
-
8
- import microcore as mc
9
- from colorama import Fore, Style, Back
10
- from microcore.utils import file_link
11
- import textwrap
12
-
13
- from .constants import JSON_REPORT_FILE_NAME
14
- from .project_config import ProjectConfig
15
- from .utils import syntax_hint, block_wrap_lr, max_line_len
16
-
17
-
18
- @dataclass
19
- class Issue:
20
- @dataclass
21
- class AffectedCode:
22
- start_line: int = field()
23
- end_line: int | None = field(default=None)
24
- file: str = field(default="")
25
- proposal: str = field(default="")
26
- affected_code: str = field(default="")
27
-
28
- @property
29
- def syntax_hint(self) -> str:
30
- return syntax_hint(self.file)
31
-
32
- id: str = field()
33
- title: str = field()
34
- details: str = field(default="")
35
- severity: int | None = field(default=None)
36
- confidence: int | None = field(default=None)
37
- tags: list[str] = field(default_factory=list)
38
- file: str = field(default="")
39
- affected_lines: list[AffectedCode] = field(default_factory=list)
40
-
41
- def __post_init__(self):
42
- self.affected_lines = [
43
- Issue.AffectedCode(**dict(file=self.file) | i)
44
- for i in self.affected_lines
45
- ]
46
-
47
- def github_code_link(self, github_env: dict) -> str:
48
- url = (
49
- f"https://github.com/{github_env['github_repo']}"
50
- f"/blob/{github_env['github_pr_sha_or_branch']}"
51
- f"/{self.file}"
52
- )
53
- if self.affected_lines:
54
- url += f"#L{self.affected_lines[0].start_line}"
55
- if self.affected_lines[0].end_line:
56
- url += f"-L{self.affected_lines[0].end_line}"
57
- return url
58
-
59
-
60
- @dataclass
61
- class Report:
62
- class Format(StrEnum):
63
- MARKDOWN = "md"
64
- CLI = "cli"
65
-
66
- issues: dict = field(default_factory=dict)
67
- summary: str = field(default="")
68
- number_of_processed_files: int = field(default=0)
69
- total_issues: int = field(init=False)
70
- created_at: str = field(default_factory=lambda: datetime.now().strftime("%Y-%m-%d %H:%M:%S"))
71
- model: str = field(default_factory=lambda: mc.config().MODEL)
72
-
73
- @property
74
- def plain_issues(self):
75
- return [
76
- issue
77
- for file, issues in self.issues.items()
78
- for issue in issues
79
- ]
80
-
81
- def __post_init__(self):
82
- issue_id: int = 0
83
- for file in self.issues.keys():
84
- self.issues[file] = [
85
- Issue(
86
- **{
87
- "id": (issue_id := issue_id + 1),
88
- "file": file,
89
- } | issue
90
- )
91
- for issue in self.issues[file]
92
- ]
93
- self.total_issues = issue_id
94
-
95
- def save(self, file_name: str = ""):
96
- file_name = file_name or JSON_REPORT_FILE_NAME
97
- with open(file_name, "w") as f:
98
- json.dump(asdict(self), f, indent=4)
99
- logging.info(f"Report saved to {mc.utils.file_link(file_name)}")
100
-
101
- @staticmethod
102
- def load(file_name: str | Path = ""):
103
- with open(file_name or JSON_REPORT_FILE_NAME, "r") as f:
104
- data = json.load(f)
105
- data.pop("total_issues", None)
106
- return Report(**data)
107
-
108
- def render(
109
- self,
110
- config: ProjectConfig = None,
111
- report_format: Format = Format.MARKDOWN,
112
- ) -> str:
113
- config = config or ProjectConfig.load()
114
- template = getattr(config, f"report_template_{report_format}")
115
- return mc.prompt(
116
- template,
117
- report=self,
118
- ui=mc.ui,
119
- Fore=Fore,
120
- Style=Style,
121
- Back=Back,
122
- file_link=file_link,
123
- textwrap=textwrap,
124
- block_wrap_lr=block_wrap_lr,
125
- max_line_len=max_line_len,
126
- **config.prompt_vars
127
- )
128
-
129
- def to_cli(self, report_format=Format.CLI):
130
- output = self.render(report_format=report_format)
131
- print("")
132
- print(output)
1
+ import json
2
+ import logging
3
+ from dataclasses import dataclass, field, asdict
4
+ from datetime import datetime
5
+ from enum import StrEnum
6
+ from pathlib import Path
7
+
8
+ import microcore as mc
9
+ from colorama import Fore, Style, Back
10
+ from microcore.utils import file_link
11
+ import textwrap
12
+
13
+ from .constants import JSON_REPORT_FILE_NAME, HTML_TEXT_ICON
14
+ from .project_config import ProjectConfig
15
+ from .utils import syntax_hint, block_wrap_lr, max_line_len
16
+
17
+
18
+ @dataclass
19
+ class Issue:
20
+ @dataclass
21
+ class AffectedCode:
22
+ start_line: int = field()
23
+ end_line: int | None = field(default=None)
24
+ file: str = field(default="")
25
+ proposal: str = field(default="")
26
+ affected_code: str = field(default="")
27
+
28
+ @property
29
+ def syntax_hint(self) -> str:
30
+ return syntax_hint(self.file)
31
+
32
+ id: str = field()
33
+ title: str = field()
34
+ details: str = field(default="")
35
+ severity: int | None = field(default=None)
36
+ confidence: int | None = field(default=None)
37
+ tags: list[str] = field(default_factory=list)
38
+ file: str = field(default="")
39
+ affected_lines: list[AffectedCode] = field(default_factory=list)
40
+
41
+ def __post_init__(self):
42
+ self.affected_lines = [
43
+ Issue.AffectedCode(**dict(file=self.file) | i)
44
+ for i in self.affected_lines
45
+ ]
46
+
47
+ def github_code_link(self, github_env: dict) -> str:
48
+ url = (
49
+ f"https://github.com/{github_env['github_repo']}"
50
+ f"/blob/{github_env['github_pr_sha_or_branch']}"
51
+ f"/{self.file}"
52
+ )
53
+ if self.affected_lines:
54
+ url += f"#L{self.affected_lines[0].start_line}"
55
+ if self.affected_lines[0].end_line:
56
+ url += f"-L{self.affected_lines[0].end_line}"
57
+ return url
58
+
59
+
60
+ @dataclass
61
+ class Report:
62
+ class Format(StrEnum):
63
+ MARKDOWN = "md"
64
+ CLI = "cli"
65
+
66
+ issues: dict[str, list[Issue]] = field(default_factory=dict)
67
+ summary: str = field(default="")
68
+ number_of_processed_files: int = field(default=0)
69
+ total_issues: int = field(init=False)
70
+ created_at: str = field(default_factory=lambda: datetime.now().strftime("%Y-%m-%d %H:%M:%S"))
71
+ model: str = field(default_factory=lambda: mc.config().MODEL)
72
+ pipeline_out: dict = field(default_factory=dict)
73
+
74
+ @property
75
+ def plain_issues(self):
76
+ return [
77
+ issue
78
+ for file, issues in self.issues.items()
79
+ for issue in issues
80
+ ]
81
+
82
+ def __post_init__(self):
83
+ issue_id: int = 0
84
+ for file in self.issues.keys():
85
+ self.issues[file] = [
86
+ Issue(
87
+ **{
88
+ "id": (issue_id := issue_id + 1),
89
+ "file": file,
90
+ } | issue
91
+ )
92
+ for issue in self.issues[file]
93
+ ]
94
+ self.total_issues = issue_id
95
+
96
+ def save(self, file_name: str = ""):
97
+ file_name = file_name or JSON_REPORT_FILE_NAME
98
+ with open(file_name, "w") as f:
99
+ json.dump(asdict(self), f, indent=4)
100
+ logging.info(f"Report saved to {mc.utils.file_link(file_name)}")
101
+
102
+ @staticmethod
103
+ def load(file_name: str | Path = ""):
104
+ with open(file_name or JSON_REPORT_FILE_NAME, "r") as f:
105
+ data = json.load(f)
106
+ data.pop("total_issues", None)
107
+ return Report(**data)
108
+
109
+ def render(
110
+ self,
111
+ config: ProjectConfig = None,
112
+ report_format: Format = Format.MARKDOWN,
113
+ ) -> str:
114
+ config = config or ProjectConfig.load()
115
+ template = getattr(config, f"report_template_{report_format}")
116
+ return mc.prompt(
117
+ template,
118
+ report=self,
119
+ ui=mc.ui,
120
+ Fore=Fore,
121
+ Style=Style,
122
+ Back=Back,
123
+ file_link=file_link,
124
+ textwrap=textwrap,
125
+ block_wrap_lr=block_wrap_lr,
126
+ max_line_len=max_line_len,
127
+ HTML_TEXT_ICON=HTML_TEXT_ICON,
128
+ **config.prompt_vars
129
+ )
130
+
131
+ def to_cli(self, report_format=Format.CLI):
132
+ output = self.render(report_format=report_format)
133
+ print("")
134
+ print(output)
gito/utils.py CHANGED
@@ -1,132 +1,226 @@
1
- import sys
2
- import os
3
- from pathlib import Path
4
- import typer
5
-
6
-
7
- _EXT_TO_HINT: dict[str, str] = {
8
- # scripting & languages
9
- ".py": "python",
10
- ".js": "javascript",
11
- ".ts": "typescript",
12
- ".java": "java",
13
- ".c": "c",
14
- ".cpp": "cpp",
15
- ".cc": "cpp",
16
- ".cxx": "cpp",
17
- ".h": "cpp",
18
- ".hpp": "cpp",
19
- ".cs": "csharp",
20
- ".rb": "ruby",
21
- ".go": "go",
22
- ".rs": "rust",
23
- ".swift": "swift",
24
- ".kt": "kotlin",
25
- ".scala": "scala",
26
- ".dart": "dart",
27
- ".php": "php",
28
- ".pl": "perl",
29
- ".pm": "perl",
30
- ".lua": "lua",
31
- # web & markup
32
- ".html": "html",
33
- ".htm": "html",
34
- ".css": "css",
35
- ".scss": "scss",
36
- ".less": "less",
37
- ".json": "json",
38
- ".xml": "xml",
39
- ".yaml": "yaml",
40
- ".yml": "yaml",
41
- ".toml": "toml",
42
- ".ini": "ini",
43
- ".csv": "csv",
44
- ".md": "markdown",
45
- ".rst": "rest",
46
- # shell & config
47
- ".sh": "bash",
48
- ".bash": "bash",
49
- ".zsh": "bash",
50
- ".fish": "bash",
51
- ".ps1": "powershell",
52
- ".dockerfile": "dockerfile",
53
- # build & CI
54
- ".makefile": "makefile",
55
- ".mk": "makefile",
56
- "CMakeLists.txt": "cmake",
57
- "Dockerfile": "dockerfile",
58
- ".gradle": "groovy",
59
- ".travis.yml": "yaml",
60
- # data & queries
61
- ".sql": "sql",
62
- ".graphql": "graphql",
63
- ".proto": "protobuf",
64
- ".yara": "yara",
65
- }
66
-
67
-
68
- def syntax_hint(file_path: str | Path) -> str:
69
- """
70
- Returns a syntax highlighting hint based on the file's extension or name.
71
-
72
- This can be used to annotate code blocks for rendering with syntax highlighting,
73
- e.g., using Markdown-style code blocks: ```<syntax_hint>\n<code>\n```.
74
-
75
- Args:
76
- file_path (str | Path): Path to the file.
77
-
78
- Returns:
79
- str: A syntax identifier suitable for code highlighting (e.g., 'python', 'json').
80
- """
81
- p = Path(file_path)
82
- ext = p.suffix.lower()
83
- if not ext:
84
- name = p.name.lower()
85
- if name == "dockerfile":
86
- return "dockerfile"
87
- return ""
88
- return _EXT_TO_HINT.get(ext, ext.lstrip("."))
89
-
90
-
91
- def is_running_in_github_action():
92
- return os.getenv("GITHUB_ACTIONS") == "true"
93
-
94
-
95
- def no_subcommand(app: typer.Typer) -> bool:
96
- """
97
- Checks if the current script is being invoked as a command in a target Typer application.
98
- """
99
- return not (
100
- (first_arg := next((a for a in sys.argv[1:] if not a.startswith('-')), None))
101
- and first_arg in (
102
- cmd.name or cmd.callback.__name__.replace('_', '-')
103
- for cmd in app.registered_commands
104
- )
105
- or '--help' in sys.argv
106
- )
107
-
108
-
109
- def parse_refs_pair(refs: str) -> tuple[str | None, str | None]:
110
- SEPARATOR = '..'
111
- if not refs:
112
- return None, None
113
- if SEPARATOR not in refs:
114
- return refs, None
115
- what, against = refs.split(SEPARATOR, 1)
116
- return what or None, against or None
117
-
118
-
119
- def max_line_len(text: str) -> int:
120
- return max((len(line) for line in text.splitlines()), default=0)
121
-
122
-
123
- def block_wrap_lr(text: str, left: str = "", right: str = "", max_rwrap: int = 60) -> str:
124
- ml = max_line_len(text)
125
- lines = text.splitlines()
126
- wrapped_lines = []
127
- for line in lines:
128
- ln = left+line
129
- if ml <= max_rwrap:
130
- ln += ' ' * (ml - len(line)) + right
131
- wrapped_lines.append(ln)
132
- return "\n".join(wrapped_lines)
1
+ import re
2
+ import sys
3
+ import os
4
+ from pathlib import Path
5
+
6
+ import typer
7
+ import git
8
+ from git import Repo
9
+ from microcore import ui
10
+
11
+
12
+ _EXT_TO_HINT: dict[str, str] = {
13
+ # scripting & languages
14
+ ".py": "python",
15
+ ".js": "javascript",
16
+ ".ts": "typescript",
17
+ ".java": "java",
18
+ ".c": "c",
19
+ ".cpp": "cpp",
20
+ ".cc": "cpp",
21
+ ".cxx": "cpp",
22
+ ".h": "cpp",
23
+ ".hpp": "cpp",
24
+ ".cs": "csharp",
25
+ ".rb": "ruby",
26
+ ".go": "go",
27
+ ".rs": "rust",
28
+ ".swift": "swift",
29
+ ".kt": "kotlin",
30
+ ".scala": "scala",
31
+ ".dart": "dart",
32
+ ".php": "php",
33
+ ".pl": "perl",
34
+ ".pm": "perl",
35
+ ".lua": "lua",
36
+ # web & markup
37
+ ".html": "html",
38
+ ".htm": "html",
39
+ ".css": "css",
40
+ ".scss": "scss",
41
+ ".less": "less",
42
+ ".json": "json",
43
+ ".xml": "xml",
44
+ ".yaml": "yaml",
45
+ ".yml": "yaml",
46
+ ".toml": "toml",
47
+ ".ini": "ini",
48
+ ".csv": "csv",
49
+ ".md": "markdown",
50
+ ".rst": "rest",
51
+ # shell & config
52
+ ".sh": "bash",
53
+ ".bash": "bash",
54
+ ".zsh": "bash",
55
+ ".fish": "bash",
56
+ ".ps1": "powershell",
57
+ ".dockerfile": "dockerfile",
58
+ # build & CI
59
+ ".makefile": "makefile",
60
+ ".mk": "makefile",
61
+ "CMakeLists.txt": "cmake",
62
+ "Dockerfile": "dockerfile",
63
+ ".gradle": "groovy",
64
+ ".travis.yml": "yaml",
65
+ # data & queries
66
+ ".sql": "sql",
67
+ ".graphql": "graphql",
68
+ ".proto": "protobuf",
69
+ ".yara": "yara",
70
+ }
71
+
72
+
73
+ def syntax_hint(file_path: str | Path) -> str:
74
+ """
75
+ Returns a syntax highlighting hint based on the file's extension or name.
76
+
77
+ This can be used to annotate code blocks for rendering with syntax highlighting,
78
+ e.g., using Markdown-style code blocks: ```<syntax_hint>\n<code>\n```.
79
+
80
+ Args:
81
+ file_path (str | Path): Path to the file.
82
+
83
+ Returns:
84
+ str: A syntax identifier suitable for code highlighting (e.g., 'python', 'json').
85
+ """
86
+ p = Path(file_path)
87
+ ext = p.suffix.lower()
88
+ if not ext:
89
+ name = p.name.lower()
90
+ if name == "dockerfile":
91
+ return "dockerfile"
92
+ return ""
93
+ return _EXT_TO_HINT.get(ext, ext.lstrip("."))
94
+
95
+
96
+ def is_running_in_github_action():
97
+ return os.getenv("GITHUB_ACTIONS") == "true"
98
+
99
+
100
+ def no_subcommand(app: typer.Typer) -> bool:
101
+ """
102
+ Checks if the current script is being invoked as a command in a target Typer application.
103
+ """
104
+ return not (
105
+ (first_arg := next((a for a in sys.argv[1:] if not a.startswith('-')), None))
106
+ and first_arg in (
107
+ cmd.name or cmd.callback.__name__.replace('_', '-')
108
+ for cmd in app.registered_commands
109
+ )
110
+ or '--help' in sys.argv
111
+ )
112
+
113
+
114
+ def parse_refs_pair(refs: str) -> tuple[str | None, str | None]:
115
+ SEPARATOR = '..'
116
+ if not refs:
117
+ return None, None
118
+ if SEPARATOR not in refs:
119
+ return refs, None
120
+ what, against = refs.split(SEPARATOR, 1)
121
+ return what or None, against or None
122
+
123
+
124
+ def max_line_len(text: str) -> int:
125
+ return max((len(line) for line in text.splitlines()), default=0)
126
+
127
+
128
+ def block_wrap_lr(
129
+ text: str,
130
+ left: str = "",
131
+ right: str = "",
132
+ max_rwrap: int = 60,
133
+ min_wrap: int = 0,
134
+ ) -> str:
135
+ ml = max(max_line_len(text), min_wrap)
136
+ lines = text.splitlines()
137
+ wrapped_lines = []
138
+ for line in lines:
139
+ ln = left+line
140
+ if ml <= max_rwrap:
141
+ ln += ' ' * (ml - len(line)) + right
142
+ wrapped_lines.append(ln)
143
+ return "\n".join(wrapped_lines)
144
+
145
+
146
+ def extract_gh_owner_repo(repo: git.Repo) -> tuple[str, str]:
147
+ """
148
+ Extracts the GitHub owner and repository name.
149
+
150
+ Returns:
151
+ tuple[str, str]: A tuple containing the owner and repository name.
152
+ """
153
+ remote_url = repo.remotes.origin.url
154
+ if remote_url.startswith('git@github.com:'):
155
+ # SSH format: git@github.com:owner/repo.git
156
+ repo_path = remote_url.split(':')[1].replace('.git', '')
157
+ elif remote_url.startswith('https://github.com/'):
158
+ # HTTPS format: https://github.com/owner/repo.git
159
+ repo_path = remote_url.replace('https://github.com/', '').replace('.git', '')
160
+ else:
161
+ raise ValueError("Unsupported remote URL format")
162
+ owner, repo_name = repo_path.split('/')
163
+ return owner, repo_name
164
+
165
+
166
+ def detect_github_env() -> dict:
167
+ """
168
+ Try to detect GitHub repository/PR info from environment variables (for GitHub Actions).
169
+ Returns a dict with github_repo, github_pr_sha, github_pr_number, github_ref, etc.
170
+ """
171
+ repo = os.environ.get("GITHUB_REPOSITORY", "")
172
+ pr_sha = os.environ.get("GITHUB_SHA", "")
173
+ pr_number = os.environ.get("GITHUB_REF", "")
174
+ branch = ""
175
+ ref = os.environ.get("GITHUB_REF", "")
176
+ # Try to resolve PR head SHA if available.
177
+ # On PRs, GITHUB_HEAD_REF/BASE_REF contain branch names.
178
+ if "GITHUB_HEAD_REF" in os.environ:
179
+ branch = os.environ["GITHUB_HEAD_REF"]
180
+ elif ref.startswith("refs/heads/"):
181
+ branch = ref[len("refs/heads/"):]
182
+ elif ref.startswith("refs/pull/"):
183
+ # for pull_request events
184
+ branch = ref
185
+
186
+ d = {
187
+ "github_repo": repo,
188
+ "github_pr_sha": pr_sha,
189
+ "github_pr_number": pr_number,
190
+ "github_branch": branch,
191
+ "github_ref": ref,
192
+ }
193
+ # Fallback for local usage: try to get from git
194
+ if not repo:
195
+ git_repo = None
196
+ try:
197
+ git_repo = Repo(".", search_parent_directories=True)
198
+ origin = git_repo.remotes.origin.url
199
+ # e.g. git@github.com:Nayjest/ai-code-review.git -> Nayjest/ai-code-review
200
+ match = re.search(r"[:/]([\w\-]+)/([\w\-\.]+?)(\.git)?$", origin)
201
+ if match:
202
+ d["github_repo"] = f"{match.group(1)}/{match.group(2)}"
203
+ d["github_pr_sha"] = git_repo.head.commit.hexsha
204
+ d["github_branch"] = (
205
+ git_repo.active_branch.name if hasattr(git_repo, "active_branch") else ""
206
+ )
207
+ except Exception:
208
+ pass
209
+ finally:
210
+ if git_repo:
211
+ try:
212
+ git_repo.close()
213
+ except Exception:
214
+ pass
215
+ # If branch is not a commit SHA, prefer branch for links
216
+ if d["github_branch"]:
217
+ d["github_pr_sha_or_branch"] = d["github_branch"]
218
+ elif d["github_pr_sha"]:
219
+ d["github_pr_sha_or_branch"] = d["github_pr_sha"]
220
+ else:
221
+ d["github_pr_sha_or_branch"] = "main"
222
+ return d
223
+
224
+
225
+ def stream_to_cli(text):
226
+ print(ui.blue(text), end='')
@@ -1,18 +0,0 @@
1
- gito/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
2
- gito/__main__.py,sha256=EClCwCzb6h6YBpt0hrnG4h0mlNhNePyg_xBNNSVm1os,65
3
- gito/bootstrap.py,sha256=ETKioiDc2Npc7znd8HJxA5-twd7sZMPCufIGwXFQSbY,2403
4
- gito/cli.py,sha256=JASFo1NGUqw9k6-ZnU5KXFuexxUc6EKJNOYs6uPPyjs,7943
5
- gito/commands/__init__.py,sha256=NKUUDskR6taZGbHk5qR9msDS22aHpdzAZlUDxzRdMYA,56
6
- gito/commands/fix.py,sha256=THEu7vdsK2--hOkz6rha4zESVfRVIDc88mHNNlYfM7Q,4421
7
- gito/commands/repl.py,sha256=waN7FJBl98gWmDwZWMa8x157iWbPHIDPJEKmTdzWQ70,396
8
- gito/config.toml,sha256=zd6s_UJs7Du1W7ulR2iGu7Grcs4l4qpq--VAS67pj4w,15003
9
- gito/constants.py,sha256=DNqh3hOxeLM_KscUH4uFdAc9295o1hiXtwoEw2KxLiU,392
10
- gito/core.py,sha256=a98HJyZMPswwbmfzJBJvnPZMWYJU7njs3O8B4Z_UGmc,7848
11
- gito/project_config.py,sha256=tbN1mf2FqpUQ9y9hGsGfM2CRX7AmD-ZT0QkXVUdHi4U,4279
12
- gito/report_struct.py,sha256=vC9Rs6OZvUspn0Ho4s9gVf0doHFt_dNbdqjdubqoIrY,4162
13
- gito/utils.py,sha256=Oh1hyg-YpUZgOlWNJdRTDLzZV-YyjMkgLsC5MiN1uow,3431
14
- ai_cr-2.0.0.dev1.dist-info/entry_points.txt,sha256=Ua1DxkhJJ8TZuLgnH-IlWCkrre_0S0dq_GtYRaYupWk,38
15
- ai_cr-2.0.0.dev1.dist-info/LICENSE,sha256=XATf3zv-CppUSJqI18KLhwnPEomUXEl5WbBzFyb9OSU,1096
16
- ai_cr-2.0.0.dev1.dist-info/METADATA,sha256=JTgfajLAdhqrWqNw40BfNHh-B3jQRbgJeoiorkuTAaw,7676
17
- ai_cr-2.0.0.dev1.dist-info/WHEEL,sha256=fGIA9gx4Qxk2KDKeNJCbOEwSrmLtjWCwzBz351GyrPQ,88
18
- ai_cr-2.0.0.dev1.dist-info/RECORD,,