hanzo 0.3.24__py3-none-any.whl → 0.3.25__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.
Potentially problematic release.
This version of hanzo might be problematic. Click here for more details.
- hanzo/__init__.py +2 -2
- hanzo/cli.py +13 -5
- hanzo/commands/auth.py +206 -266
- hanzo/commands/auth_broken.py +377 -0
- hanzo/commands/chat.py +3 -0
- hanzo/interactive/enhanced_repl.py +513 -0
- hanzo/interactive/repl.py +2 -2
- hanzo/ui/__init__.py +13 -0
- hanzo/ui/inline_startup.py +136 -0
- hanzo/ui/startup.py +350 -0
- {hanzo-0.3.24.dist-info → hanzo-0.3.25.dist-info}/METADATA +1 -1
- {hanzo-0.3.24.dist-info → hanzo-0.3.25.dist-info}/RECORD +14 -9
- {hanzo-0.3.24.dist-info → hanzo-0.3.25.dist-info}/WHEEL +0 -0
- {hanzo-0.3.24.dist-info → hanzo-0.3.25.dist-info}/entry_points.txt +0 -0
hanzo/ui/startup.py
ADDED
|
@@ -0,0 +1,350 @@
|
|
|
1
|
+
"""
|
|
2
|
+
Hanzo startup UI and changelog integration.
|
|
3
|
+
"""
|
|
4
|
+
|
|
5
|
+
import os
|
|
6
|
+
import json
|
|
7
|
+
import time
|
|
8
|
+
from pathlib import Path
|
|
9
|
+
from typing import Optional, List, Dict, Any
|
|
10
|
+
from datetime import datetime, timedelta
|
|
11
|
+
import httpx
|
|
12
|
+
from rich.console import Console
|
|
13
|
+
from rich.panel import Panel
|
|
14
|
+
from rich.table import Table
|
|
15
|
+
from rich.text import Text
|
|
16
|
+
from rich.align import Align
|
|
17
|
+
from rich.columns import Columns
|
|
18
|
+
from rich.markdown import Markdown
|
|
19
|
+
from rich import box
|
|
20
|
+
|
|
21
|
+
console = Console()
|
|
22
|
+
|
|
23
|
+
|
|
24
|
+
class StartupUI:
|
|
25
|
+
"""Clean startup UI for Hanzo with changelog integration."""
|
|
26
|
+
|
|
27
|
+
def __init__(self):
|
|
28
|
+
self.config_dir = Path.home() / ".hanzo"
|
|
29
|
+
self.config_file = self.config_dir / "config.json"
|
|
30
|
+
self.changelog_cache = self.config_dir / "changelog_cache.json"
|
|
31
|
+
self.last_shown_file = self.config_dir / ".last_shown_version"
|
|
32
|
+
self.current_version = self._get_current_version()
|
|
33
|
+
|
|
34
|
+
def _get_current_version(self) -> str:
|
|
35
|
+
"""Get current Hanzo version."""
|
|
36
|
+
try:
|
|
37
|
+
from hanzo import __version__
|
|
38
|
+
return __version__
|
|
39
|
+
except:
|
|
40
|
+
return "0.3.23"
|
|
41
|
+
|
|
42
|
+
def _get_last_shown_version(self) -> Optional[str]:
|
|
43
|
+
"""Get the last version shown to user."""
|
|
44
|
+
if self.last_shown_file.exists():
|
|
45
|
+
return self.last_shown_file.read_text().strip()
|
|
46
|
+
return None
|
|
47
|
+
|
|
48
|
+
def _save_last_shown_version(self):
|
|
49
|
+
"""Save current version as last shown."""
|
|
50
|
+
self.config_dir.mkdir(exist_ok=True)
|
|
51
|
+
self.last_shown_file.write_text(self.current_version)
|
|
52
|
+
|
|
53
|
+
def _fetch_changelog(self) -> List[Dict[str, Any]]:
|
|
54
|
+
"""Fetch latest changelog from GitHub."""
|
|
55
|
+
try:
|
|
56
|
+
# Check cache first
|
|
57
|
+
if self.changelog_cache.exists():
|
|
58
|
+
cache_data = json.loads(self.changelog_cache.read_text())
|
|
59
|
+
cache_time = datetime.fromisoformat(cache_data["timestamp"])
|
|
60
|
+
if datetime.now() - cache_time < timedelta(hours=6):
|
|
61
|
+
return cache_data["entries"]
|
|
62
|
+
|
|
63
|
+
# Fetch from GitHub
|
|
64
|
+
response = httpx.get(
|
|
65
|
+
"https://api.github.com/repos/hanzoai/python-sdk/releases",
|
|
66
|
+
headers={"Accept": "application/vnd.github.v3+json"},
|
|
67
|
+
timeout=5
|
|
68
|
+
)
|
|
69
|
+
|
|
70
|
+
if response.status_code == 200:
|
|
71
|
+
releases = response.json()[:5] # Last 5 releases
|
|
72
|
+
entries = []
|
|
73
|
+
|
|
74
|
+
for release in releases:
|
|
75
|
+
entries.append({
|
|
76
|
+
"version": release["tag_name"],
|
|
77
|
+
"date": release["published_at"][:10],
|
|
78
|
+
"highlights": self._parse_highlights(release["body"])
|
|
79
|
+
})
|
|
80
|
+
|
|
81
|
+
# Cache the results
|
|
82
|
+
cache_data = {
|
|
83
|
+
"timestamp": datetime.now().isoformat(),
|
|
84
|
+
"entries": entries
|
|
85
|
+
}
|
|
86
|
+
self.changelog_cache.write_text(json.dumps(cache_data))
|
|
87
|
+
return entries
|
|
88
|
+
|
|
89
|
+
except Exception:
|
|
90
|
+
pass
|
|
91
|
+
|
|
92
|
+
# Fallback to static changelog
|
|
93
|
+
return self._get_static_changelog()
|
|
94
|
+
|
|
95
|
+
def _parse_highlights(self, body: str) -> List[str]:
|
|
96
|
+
"""Parse release highlights from markdown."""
|
|
97
|
+
if not body:
|
|
98
|
+
return []
|
|
99
|
+
|
|
100
|
+
highlights = []
|
|
101
|
+
lines = body.split("\n")
|
|
102
|
+
|
|
103
|
+
for line in lines:
|
|
104
|
+
line = line.strip()
|
|
105
|
+
if line.startswith("- ") or line.startswith("* "):
|
|
106
|
+
highlight = line[2:].strip()
|
|
107
|
+
if len(highlight) > 80:
|
|
108
|
+
highlight = highlight[:77] + "..."
|
|
109
|
+
highlights.append(highlight)
|
|
110
|
+
if len(highlights) >= 3:
|
|
111
|
+
break
|
|
112
|
+
|
|
113
|
+
return highlights
|
|
114
|
+
|
|
115
|
+
def _get_static_changelog(self) -> List[Dict[str, Any]]:
|
|
116
|
+
"""Get static changelog for offline mode."""
|
|
117
|
+
return [
|
|
118
|
+
{
|
|
119
|
+
"version": "v0.3.23",
|
|
120
|
+
"date": "2024-09-06",
|
|
121
|
+
"highlights": [
|
|
122
|
+
"✨ Added router management commands for LLM proxy control",
|
|
123
|
+
"🎯 Renamed cluster to node for better clarity",
|
|
124
|
+
"📚 Comprehensive documentation for all packages"
|
|
125
|
+
]
|
|
126
|
+
},
|
|
127
|
+
{
|
|
128
|
+
"version": "v0.3.22",
|
|
129
|
+
"date": "2024-09-05",
|
|
130
|
+
"highlights": [
|
|
131
|
+
"🚀 Improved MCP tool performance with batch operations",
|
|
132
|
+
"🔧 Fixed file permission handling in Windows",
|
|
133
|
+
"💾 Added memory persistence for conversations"
|
|
134
|
+
]
|
|
135
|
+
}
|
|
136
|
+
]
|
|
137
|
+
|
|
138
|
+
def _create_welcome_panel(self) -> Panel:
|
|
139
|
+
"""Create the welcome panel with branding."""
|
|
140
|
+
# ASCII art logo
|
|
141
|
+
logo = """
|
|
142
|
+
██╗ ██╗ █████╗ ███╗ ██╗███████╗ ██████╗
|
|
143
|
+
██║ ██║██╔══██╗████╗ ██║╚══███╔╝██╔═══██╗
|
|
144
|
+
███████║███████║██╔██╗ ██║ ███╔╝ ██║ ██║
|
|
145
|
+
██╔══██║██╔══██║██║╚██╗██║ ███╔╝ ██║ ██║
|
|
146
|
+
██║ ██║██║ ██║██║ ╚████║███████╗╚██████╔╝
|
|
147
|
+
╚═╝ ╚═╝╚═╝ ╚═╝╚═╝ ╚═══╝╚══════╝ ╚═════╝
|
|
148
|
+
"""
|
|
149
|
+
|
|
150
|
+
# Create welcome text
|
|
151
|
+
welcome = Text()
|
|
152
|
+
welcome.append("Welcome to ", style="white")
|
|
153
|
+
welcome.append("Hanzo AI", style="bold cyan")
|
|
154
|
+
welcome.append(" • ", style="dim")
|
|
155
|
+
welcome.append(f"v{self.current_version}", style="green")
|
|
156
|
+
|
|
157
|
+
# Add subtitle
|
|
158
|
+
subtitle = Text("Your AI Infrastructure Platform", style="italic dim")
|
|
159
|
+
|
|
160
|
+
# Combine elements
|
|
161
|
+
content = Align.center(
|
|
162
|
+
Text.from_ansi(logo) + "\n" + welcome + "\n" + subtitle
|
|
163
|
+
)
|
|
164
|
+
|
|
165
|
+
return Panel(
|
|
166
|
+
content,
|
|
167
|
+
box=box.DOUBLE,
|
|
168
|
+
border_style="cyan",
|
|
169
|
+
padding=(1, 2)
|
|
170
|
+
)
|
|
171
|
+
|
|
172
|
+
def _create_whats_new_panel(self) -> Optional[Panel]:
|
|
173
|
+
"""Create What's New panel with recent changes."""
|
|
174
|
+
last_shown = self._get_last_shown_version()
|
|
175
|
+
|
|
176
|
+
# Only show if there's new content
|
|
177
|
+
if last_shown == self.current_version:
|
|
178
|
+
return None
|
|
179
|
+
|
|
180
|
+
changelog = self._fetch_changelog()
|
|
181
|
+
if not changelog:
|
|
182
|
+
return None
|
|
183
|
+
|
|
184
|
+
# Build content
|
|
185
|
+
content = Text()
|
|
186
|
+
content.append("🎉 What's New\n\n", style="bold yellow")
|
|
187
|
+
|
|
188
|
+
for entry in changelog[:2]: # Show last 2 versions
|
|
189
|
+
content.append(f" {entry['version']}", style="bold cyan")
|
|
190
|
+
content.append(f" ({entry['date']})\n", style="dim")
|
|
191
|
+
|
|
192
|
+
for highlight in entry['highlights'][:2]:
|
|
193
|
+
content.append(f" • {highlight}\n", style="white")
|
|
194
|
+
|
|
195
|
+
content.append("\n")
|
|
196
|
+
|
|
197
|
+
return Panel(
|
|
198
|
+
content,
|
|
199
|
+
title="[yellow]Recent Updates[/yellow]",
|
|
200
|
+
box=box.ROUNDED,
|
|
201
|
+
border_style="yellow",
|
|
202
|
+
padding=(0, 1)
|
|
203
|
+
)
|
|
204
|
+
|
|
205
|
+
def _create_quick_start_panel(self) -> Panel:
|
|
206
|
+
"""Create quick start tips panel."""
|
|
207
|
+
tips = [
|
|
208
|
+
("chat", "Start interactive AI chat"),
|
|
209
|
+
("node start", "Run local AI node"),
|
|
210
|
+
("router start", "Start LLM proxy"),
|
|
211
|
+
("repl", "Interactive Python + AI"),
|
|
212
|
+
("help", "Show all commands")
|
|
213
|
+
]
|
|
214
|
+
|
|
215
|
+
# Create table
|
|
216
|
+
table = Table(show_header=False, box=None, padding=(0, 2))
|
|
217
|
+
table.add_column("Command", style="cyan")
|
|
218
|
+
table.add_column("Description", style="dim")
|
|
219
|
+
|
|
220
|
+
for cmd, desc in tips:
|
|
221
|
+
table.add_row(f"hanzo {cmd}", desc)
|
|
222
|
+
|
|
223
|
+
return Panel(
|
|
224
|
+
table,
|
|
225
|
+
title="[green]Quick Start[/green]",
|
|
226
|
+
box=box.ROUNDED,
|
|
227
|
+
border_style="green",
|
|
228
|
+
padding=(0, 1)
|
|
229
|
+
)
|
|
230
|
+
|
|
231
|
+
def _create_status_panel(self) -> Panel:
|
|
232
|
+
"""Create status panel showing system state."""
|
|
233
|
+
items = []
|
|
234
|
+
|
|
235
|
+
# Check router status
|
|
236
|
+
try:
|
|
237
|
+
response = httpx.get("http://localhost:4000/health", timeout=1)
|
|
238
|
+
router_status = "🟢 Running" if response.status_code == 200 else "🔴 Offline"
|
|
239
|
+
except:
|
|
240
|
+
router_status = "⚫ Offline"
|
|
241
|
+
|
|
242
|
+
# Check node status
|
|
243
|
+
try:
|
|
244
|
+
response = httpx.get("http://localhost:8000/health", timeout=1)
|
|
245
|
+
node_status = "🟢 Running" if response.status_code == 200 else "🔴 Offline"
|
|
246
|
+
except:
|
|
247
|
+
node_status = "⚫ Offline"
|
|
248
|
+
|
|
249
|
+
# Check API key
|
|
250
|
+
api_key = os.getenv("HANZO_API_KEY")
|
|
251
|
+
api_status = "🟢 Configured" if api_key else "🟡 Not Set"
|
|
252
|
+
|
|
253
|
+
# Build status text
|
|
254
|
+
status = Text()
|
|
255
|
+
status.append("Router: ", style="bold")
|
|
256
|
+
status.append(f"{router_status} ", style="white")
|
|
257
|
+
status.append("Node: ", style="bold")
|
|
258
|
+
status.append(f"{node_status} ", style="white")
|
|
259
|
+
status.append("API: ", style="bold")
|
|
260
|
+
status.append(api_status, style="white")
|
|
261
|
+
|
|
262
|
+
return Panel(
|
|
263
|
+
Align.center(status),
|
|
264
|
+
box=box.ROUNDED,
|
|
265
|
+
border_style="blue",
|
|
266
|
+
padding=(0, 1)
|
|
267
|
+
)
|
|
268
|
+
|
|
269
|
+
def _check_for_updates(self) -> Optional[str]:
|
|
270
|
+
"""Check if updates are available."""
|
|
271
|
+
try:
|
|
272
|
+
response = httpx.get(
|
|
273
|
+
"https://pypi.org/pypi/hanzo/json",
|
|
274
|
+
timeout=3
|
|
275
|
+
)
|
|
276
|
+
if response.status_code == 200:
|
|
277
|
+
data = response.json()
|
|
278
|
+
latest = data["info"]["version"]
|
|
279
|
+
if latest != self.current_version:
|
|
280
|
+
return latest
|
|
281
|
+
except:
|
|
282
|
+
pass
|
|
283
|
+
return None
|
|
284
|
+
|
|
285
|
+
def show(self, minimal: bool = False):
|
|
286
|
+
"""Display the startup UI."""
|
|
287
|
+
console.clear()
|
|
288
|
+
|
|
289
|
+
if minimal:
|
|
290
|
+
# Minimal mode - just show compact welcome
|
|
291
|
+
console.print(
|
|
292
|
+
Panel(
|
|
293
|
+
f"[bold cyan]Hanzo AI[/bold cyan] • v{self.current_version} • [dim]Type [cyan]hanzo help[/cyan] for commands[/dim]",
|
|
294
|
+
box=box.ROUNDED,
|
|
295
|
+
padding=(0, 1)
|
|
296
|
+
)
|
|
297
|
+
)
|
|
298
|
+
return
|
|
299
|
+
|
|
300
|
+
# Full startup UI
|
|
301
|
+
panels = []
|
|
302
|
+
|
|
303
|
+
# Welcome panel
|
|
304
|
+
welcome = self._create_welcome_panel()
|
|
305
|
+
console.print(welcome)
|
|
306
|
+
|
|
307
|
+
# What's New (if applicable)
|
|
308
|
+
whats_new = self._create_whats_new_panel()
|
|
309
|
+
if whats_new:
|
|
310
|
+
console.print(whats_new)
|
|
311
|
+
self._save_last_shown_version()
|
|
312
|
+
|
|
313
|
+
# Quick start and status in columns
|
|
314
|
+
quick_start = self._create_quick_start_panel()
|
|
315
|
+
status = self._create_status_panel()
|
|
316
|
+
|
|
317
|
+
console.print(Columns([quick_start, status], equal=True, expand=True))
|
|
318
|
+
|
|
319
|
+
# Check for updates
|
|
320
|
+
latest = self._check_for_updates()
|
|
321
|
+
if latest:
|
|
322
|
+
console.print(
|
|
323
|
+
Panel(
|
|
324
|
+
f"[yellow]📦 Update available:[/yellow] v{latest} → Run [cyan]pip install --upgrade hanzo[/cyan]",
|
|
325
|
+
box=box.ROUNDED,
|
|
326
|
+
border_style="yellow",
|
|
327
|
+
padding=(0, 1)
|
|
328
|
+
)
|
|
329
|
+
)
|
|
330
|
+
|
|
331
|
+
# Footer
|
|
332
|
+
console.print(
|
|
333
|
+
Align.center(
|
|
334
|
+
Text("Get started with ", style="dim") +
|
|
335
|
+
Text("hanzo chat", style="bold cyan") +
|
|
336
|
+
Text(" or view docs at ", style="dim") +
|
|
337
|
+
Text("docs.hanzo.ai", style="blue underline")
|
|
338
|
+
)
|
|
339
|
+
)
|
|
340
|
+
console.print()
|
|
341
|
+
|
|
342
|
+
|
|
343
|
+
def show_startup(minimal: bool = False):
|
|
344
|
+
"""Show the startup UI."""
|
|
345
|
+
ui = StartupUI()
|
|
346
|
+
ui.show(minimal=minimal)
|
|
347
|
+
|
|
348
|
+
|
|
349
|
+
if __name__ == "__main__":
|
|
350
|
+
show_startup()
|
|
@@ -1,6 +1,6 @@
|
|
|
1
1
|
Metadata-Version: 2.4
|
|
2
2
|
Name: hanzo
|
|
3
|
-
Version: 0.3.
|
|
3
|
+
Version: 0.3.25
|
|
4
4
|
Summary: Hanzo AI - Complete AI Infrastructure Platform with CLI, Router, MCP, and Agent Runtime
|
|
5
5
|
Project-URL: Homepage, https://hanzo.ai
|
|
6
6
|
Project-URL: Repository, https://github.com/hanzoai/python-sdk
|
|
@@ -1,8 +1,8 @@
|
|
|
1
|
-
hanzo/__init__.py,sha256=
|
|
1
|
+
hanzo/__init__.py,sha256=wyqd5nRy826-cL9Mow11ZIJKjPWDFHpltYUhi9M7Gqw,185
|
|
2
2
|
hanzo/__main__.py,sha256=F3Vz0Ty3bdAj_8oxyETMIqxlmNRnJOAFB1XPxbyfouI,105
|
|
3
3
|
hanzo/base_agent.py,sha256=ojPaSgFETYl7iARWnNpg8eyAt7sg8eKhn9xZThyvxRA,15324
|
|
4
4
|
hanzo/batch_orchestrator.py,sha256=vn6n5i9gTfZ4DtowFDd5iWgYKjgNTioIomkffKbipSM,35827
|
|
5
|
-
hanzo/cli.py,sha256=
|
|
5
|
+
hanzo/cli.py,sha256=Iy39fmgN6kgq64tIXGcX3CPQVyDopg2Yatal9MRdKF0,19050
|
|
6
6
|
hanzo/dev.py,sha256=7EnQL8mfCmjHCAKlriSpg4VueipilEtLrPpWNSDOW8Q,105817
|
|
7
7
|
hanzo/fallback_handler.py,sha256=-OoUeF-ACjb1mZ86tKJLFuEttRa2pjBEHJY9a9IlOK4,10191
|
|
8
8
|
hanzo/mcp_server.py,sha256=wgTJen1z1g1T1_OxV2tsmlupBK5rBeFXTgQaUjaGiyY,655
|
|
@@ -14,8 +14,9 @@ hanzo/repl.py,sha256=sW1quuqGkJ_AqgjN2vLNdtWgKDlXIkXiO9Bo1QQI0G4,1089
|
|
|
14
14
|
hanzo/streaming.py,sha256=HRMA3x-GnF31oGgQRkbB7D1uculVoJci2DChuBWGN9Q,10219
|
|
15
15
|
hanzo/commands/__init__.py,sha256=7rh94TPNhdq4gJBJS0Ayf0fGNChQYCQCJcJPmYYehiQ,182
|
|
16
16
|
hanzo/commands/agent.py,sha256=DXCfuxHfmC90IoIOL6BJyp7h2yNUo-VIxrfl4OMh8CU,3480
|
|
17
|
-
hanzo/commands/auth.py,sha256=
|
|
18
|
-
hanzo/commands/
|
|
17
|
+
hanzo/commands/auth.py,sha256=SvC47tns2pSiR1I5swAceXoRgXgHG9R94-0Ycj9yCdU,8799
|
|
18
|
+
hanzo/commands/auth_broken.py,sha256=aNNAyTkoh8-el2_BbcHEvfdBNOer_3b_RXQoprWTs2w,12754
|
|
19
|
+
hanzo/commands/chat.py,sha256=HCu_Ha4PX3khK18ily6Yv-uC6tQyEdu15EAkpK_0STQ,8747
|
|
19
20
|
hanzo/commands/config.py,sha256=xAzM6n9GhdVIqtn7JrHfLRzj1sshmxCujo7iet2hHqE,7490
|
|
20
21
|
hanzo/commands/mcp.py,sha256=u1uEKDY6gUIa7VymEnRzy0ZphdIKYoNwPSeffZaiKnk,7418
|
|
21
22
|
hanzo/commands/miner.py,sha256=_mZT9nQcT2QSSxI0rDDKuSBVdsg_uE_N_j3PXOHoj-Q,11677
|
|
@@ -26,13 +27,17 @@ hanzo/commands/router.py,sha256=kB8snUM82cFk3znjFvs3jOJGqv5giKn8DiTkdbXnWYU,5332
|
|
|
26
27
|
hanzo/commands/tools.py,sha256=fG27wRweVmaFJowBpmwp5PgkRUtIF8bIlu_hGWr69Ss,10393
|
|
27
28
|
hanzo/interactive/__init__.py,sha256=ENHkGOqu-JYI05lqoOKDczJGl96oq6nM476EPhflAbI,74
|
|
28
29
|
hanzo/interactive/dashboard.py,sha256=XB5H_PMlReriCip-wW9iuUiJQOAtSATFG8EyhhFhItU,3842
|
|
29
|
-
hanzo/interactive/
|
|
30
|
+
hanzo/interactive/enhanced_repl.py,sha256=ZyrP22gvOGE6J3rOboW19RwAZXVid6YYns9rzNbSV4c,17952
|
|
31
|
+
hanzo/interactive/repl.py,sha256=PXpRw1Cfqdqy1pQsKLqz9AwKJBFZ_Y758MpDlJIb9ao,6938
|
|
30
32
|
hanzo/router/__init__.py,sha256=_cRG9nHC_wwq17iVYZSUNBYiJDdByfLDVEuIQn5-ePM,978
|
|
33
|
+
hanzo/ui/__init__.py,sha256=Ea22ereOm5Y0DDfyonA6qsO9Qkzofzd1CUE-VGW2lqw,241
|
|
34
|
+
hanzo/ui/inline_startup.py,sha256=7Y5dwqzt-L1J0F9peyqJ8XZgjHSua2nkItDTrLlBnhU,4265
|
|
35
|
+
hanzo/ui/startup.py,sha256=s7gP1QleQEIoCS1K0XBY7d6aufnwhicRLZDL7ej8ZZY,12235
|
|
31
36
|
hanzo/utils/__init__.py,sha256=5RRwKI852vp8smr4xCRgeKfn7dLEnHbdXGfVYTZ5jDQ,69
|
|
32
37
|
hanzo/utils/config.py,sha256=FD_LoBpcoF5dgJ7WL4o6LDp2pdOy8kS-dJ6iRO2GcGM,4728
|
|
33
38
|
hanzo/utils/net_check.py,sha256=YFbJ65SzfDYHkHLZe3n51VhId1VI3zhyx8p6BM-l6jE,3017
|
|
34
39
|
hanzo/utils/output.py,sha256=W0j3psF07vJiX4s02gbN4zYWfbKNsb8TSIoagBSf5vA,2704
|
|
35
|
-
hanzo-0.3.
|
|
36
|
-
hanzo-0.3.
|
|
37
|
-
hanzo-0.3.
|
|
38
|
-
hanzo-0.3.
|
|
40
|
+
hanzo-0.3.25.dist-info/METADATA,sha256=QyybsQ7W3TJVStEaHWs3ZYMEHiVeCndtsBqlsLge9Ck,6061
|
|
41
|
+
hanzo-0.3.25.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87
|
|
42
|
+
hanzo-0.3.25.dist-info/entry_points.txt,sha256=pQLPMdqOXU_2BfTcMDhkqTCDNk_H6ApvYuSaWcuQOOw,171
|
|
43
|
+
hanzo-0.3.25.dist-info/RECORD,,
|
|
File without changes
|
|
File without changes
|