llamactl 0.3.0a13__py3-none-any.whl → 0.3.0a14__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.
@@ -0,0 +1,206 @@
1
+ from importlib import metadata as importlib_metadata
2
+
3
+ import click
4
+ import questionary
5
+ from llama_deploy.cli.config.schema import Environment
6
+ from packaging import version as packaging_version
7
+ from rich import print as rprint
8
+ from rich.table import Table
9
+ from rich.text import Text
10
+
11
+ from ..app import console
12
+ from ..config.env_service import service
13
+ from ..options import global_options, interactive_option
14
+ from .auth import auth
15
+
16
+
17
+ @auth.group(
18
+ name="env",
19
+ help="Manage environments (control plane API URLs)",
20
+ no_args_is_help=True,
21
+ )
22
+ @global_options
23
+ def env_group() -> None:
24
+ pass
25
+
26
+
27
+ @env_group.command("list")
28
+ @global_options
29
+ def list_environments_cmd() -> None:
30
+ try:
31
+ envs = service.list_environments()
32
+ current_env = service.get_current_environment()
33
+
34
+ if not envs:
35
+ rprint("[yellow]No environments found[/yellow]")
36
+ return
37
+
38
+ table = Table(show_edge=False, box=None, header_style="bold cornflower_blue")
39
+ table.add_column(" API URL")
40
+ table.add_column("Requires Auth")
41
+
42
+ for env in envs:
43
+ text = Text()
44
+ if env == current_env:
45
+ text.append("* ", style="magenta")
46
+ else:
47
+ text.append(" ")
48
+ text.append(env.api_url)
49
+ table.add_row(
50
+ text, Text("true" if env.requires_auth else "false", style="grey46")
51
+ )
52
+
53
+ console.print(table)
54
+ except Exception as e:
55
+ rprint(f"[red]Error: {e}[/red]")
56
+ raise click.Abort()
57
+
58
+
59
+ @env_group.command("add")
60
+ @click.argument("api_url", required=False)
61
+ @interactive_option
62
+ @global_options
63
+ def add_environment_cmd(api_url: str | None, interactive: bool) -> None:
64
+ try:
65
+ if not api_url:
66
+ if not interactive:
67
+ raise click.ClickException("API URL is required when not interactive")
68
+ current_env = service.get_current_environment()
69
+ entered = questionary.text(
70
+ "Enter control plane API URL", default=current_env.api_url
71
+ ).ask()
72
+ if not entered:
73
+ rprint("[yellow]No environment entered[/yellow]")
74
+ return
75
+ api_url = entered.strip()
76
+
77
+ api_url = api_url.rstrip("/")
78
+ env = service.probe_environment(api_url)
79
+ service.create_or_update_environment(env)
80
+ rprint(
81
+ f"[green]Added environment[/green] {env.api_url} (requires_auth={env.requires_auth}, min_llamactl_version={env.min_llamactl_version or '-'})."
82
+ )
83
+ _maybe_warn_min_version(env.min_llamactl_version)
84
+ except Exception as e:
85
+ rprint(f"[red]Failed to add environment: {e}[/red]")
86
+ raise click.Abort()
87
+
88
+
89
+ @env_group.command("delete")
90
+ @click.argument("api_url", required=False)
91
+ @interactive_option
92
+ @global_options
93
+ def delete_environment_cmd(api_url: str | None, interactive: bool) -> None:
94
+ try:
95
+ if not api_url:
96
+ if not interactive:
97
+ raise click.ClickException("API URL is required when not interactive")
98
+ result = _select_environment(
99
+ service.list_environments(),
100
+ service.get_current_environment(),
101
+ "Select environment to delete",
102
+ )
103
+
104
+ if not result:
105
+ rprint("[yellow]No environment selected[/yellow]")
106
+ return
107
+ api_url = result.api_url
108
+
109
+ api_url = api_url.rstrip("/")
110
+ deleted = service.delete_environment(api_url)
111
+ if not deleted:
112
+ raise click.ClickException(f"Environment '{api_url}' not found")
113
+ rprint(
114
+ f"[green]Deleted environment[/green] {api_url} and all associated profiles"
115
+ )
116
+ except Exception as e:
117
+ rprint(f"[red]Failed to delete environment: {e}[/red]")
118
+ raise click.Abort()
119
+
120
+
121
+ @env_group.command("switch")
122
+ @click.argument("api_url", required=False)
123
+ @interactive_option
124
+ @global_options
125
+ def switch_environment_cmd(api_url: str | None, interactive: bool) -> None:
126
+ try:
127
+ selected_url = api_url
128
+
129
+ if not selected_url and interactive:
130
+ result = _select_environment(
131
+ service.list_environments(),
132
+ service.get_current_environment(),
133
+ "Select environment",
134
+ )
135
+ if not result:
136
+ rprint("[yellow]No environment selected[/yellow]")
137
+ return
138
+ selected_url = result.api_url
139
+
140
+ if not selected_url:
141
+ if interactive:
142
+ rprint("[yellow]No environment selected[/yellow]")
143
+ return
144
+ raise click.ClickException("API URL is required when not interactive")
145
+
146
+ selected_url = selected_url.rstrip("/")
147
+
148
+ # Ensure environment exists and switch
149
+ env = service.switch_environment(selected_url)
150
+ try:
151
+ env = service.auto_update_env(env)
152
+ except Exception as e:
153
+ rprint(f"[yellow]Failed to resolve environment: {e}[/yellow]")
154
+ return
155
+ service.current_auth_service().select_any_profile()
156
+ rprint(f"[green]Switched to environment[/green] {env.api_url}")
157
+ _maybe_warn_min_version(env.min_llamactl_version)
158
+ except Exception as e:
159
+ rprint(f"[red]Failed to switch environment: {e}[/red]")
160
+ raise click.Abort()
161
+
162
+
163
+ def _get_cli_version() -> str | None:
164
+ try:
165
+ return importlib_metadata.version("llamactl")
166
+ except Exception:
167
+ return None
168
+
169
+
170
+ def _maybe_warn_min_version(min_required: str | None) -> None:
171
+ if not min_required:
172
+ return
173
+ current = _get_cli_version()
174
+ if not current:
175
+ return
176
+ try:
177
+ if packaging_version.parse(current) < packaging_version.parse(min_required):
178
+ rprint(
179
+ f"[yellow]Warning:[/yellow] This environment requires llamactl >= [bold]{min_required}[/bold], you have [bold]{current}[/bold]."
180
+ )
181
+ except Exception:
182
+ # If packaging is not available or parsing fails, skip strict comparison
183
+ pass
184
+
185
+
186
+ def _select_environment(
187
+ envs: list[Environment],
188
+ current_env: Environment,
189
+ message: str = "Select environment",
190
+ ) -> Environment | None:
191
+ envs = service.list_environments()
192
+ current_env = service.get_current_environment()
193
+ if not envs:
194
+ raise click.ClickException(
195
+ "No environments found. This is a bug and shouldn't happen."
196
+ )
197
+ return questionary.select(
198
+ message,
199
+ choices=[
200
+ questionary.Choice(
201
+ title=f"{env.api_url} {'(current)' if env.api_url == current_env.api_url else ''}",
202
+ value=env,
203
+ )
204
+ for env in envs
205
+ ],
206
+ ).ask()
@@ -0,0 +1,385 @@
1
+ """Configuration and profile management for llamactl"""
2
+
3
+ import os
4
+ import sqlite3
5
+ from pathlib import Path
6
+ from typing import Any
7
+
8
+ from .schema import DEFAULT_ENVIRONMENT, Auth, Environment
9
+
10
+
11
+ def _to_auth(row: Any) -> Auth:
12
+ return Auth(
13
+ name=row[0],
14
+ api_url=row[1],
15
+ project_id=row[2],
16
+ api_key=row[3],
17
+ )
18
+
19
+
20
+ def _to_environment(row: Any) -> Environment:
21
+ return Environment(
22
+ api_url=row[0],
23
+ requires_auth=bool(row[1]),
24
+ min_llamactl_version=row[2],
25
+ )
26
+
27
+
28
+ class ConfigManager:
29
+ """Manages profiles and configuration using SQLite"""
30
+
31
+ def __init__(self):
32
+ self.config_dir = self._get_config_dir()
33
+ self.db_path = self.config_dir / "profiles.db"
34
+ self._ensure_config_dir()
35
+ self._init_database()
36
+
37
+ def _get_config_dir(self) -> Path:
38
+ """Get the configuration directory path based on OS.
39
+
40
+ Honors LLAMACTL_CONFIG_DIR when set. This helps tests isolate state.
41
+ """
42
+ override = os.environ.get("LLAMACTL_CONFIG_DIR")
43
+ if override:
44
+ return Path(override).expanduser()
45
+ if os.name == "nt": # Windows
46
+ config_dir = Path(os.environ.get("APPDATA", "~")) / "llamactl"
47
+ else: # Unix-like (Linux, macOS)
48
+ config_dir = Path.home() / ".config" / "llamactl"
49
+ return config_dir.expanduser()
50
+
51
+ def _ensure_config_dir(self):
52
+ """Create configuration directory if it doesn't exist"""
53
+ self.config_dir.mkdir(parents=True, exist_ok=True)
54
+
55
+ def _init_database(self):
56
+ """Initialize SQLite database with required tables"""
57
+ with sqlite3.connect(self.db_path) as conn:
58
+ # Check if we need to migrate from old schema
59
+ cursor = conn.execute("PRAGMA table_info(profiles)")
60
+ columns = [row[1] for row in cursor.fetchall()]
61
+
62
+ # Migration: handle old active_project_id -> project_id and make it required
63
+ if "active_project_id" in columns and "project_id" not in columns:
64
+ # Delete any profiles that have no active_project_id since project_id is now required
65
+ conn.execute(
66
+ "DELETE FROM profiles WHERE active_project_id IS NULL OR active_project_id = ''"
67
+ )
68
+
69
+ # Rename active_project_id to project_id
70
+ # Note: SQLite doesn't allow changing column constraints easily, but we enforce
71
+ # the NOT NULL constraint in our application code and new table creation
72
+ conn.execute(
73
+ "ALTER TABLE profiles RENAME COLUMN active_project_id TO project_id"
74
+ )
75
+
76
+ # Add api_key column if not already present
77
+ mig_cursor = conn.execute("PRAGMA table_info(profiles)")
78
+ mig_columns = [row[1] for row in mig_cursor.fetchall()]
79
+ if "api_key" not in mig_columns:
80
+ conn.execute("ALTER TABLE profiles ADD COLUMN api_key TEXT")
81
+
82
+ # Create tables with new schema (this will only create if they don't exist)
83
+ conn.execute("""
84
+ CREATE TABLE IF NOT EXISTS profiles (
85
+ name TEXT PRIMARY KEY,
86
+ api_url TEXT NOT NULL,
87
+ project_id TEXT NOT NULL,
88
+ api_key TEXT
89
+ )
90
+ """)
91
+
92
+ conn.execute("""
93
+ CREATE TABLE IF NOT EXISTS settings (
94
+ key TEXT PRIMARY KEY,
95
+ value TEXT NOT NULL
96
+ )
97
+ """)
98
+
99
+ # Environments: first-class environments table
100
+ conn.execute(
101
+ """
102
+ CREATE TABLE IF NOT EXISTS environments (
103
+ api_url TEXT PRIMARY KEY,
104
+ requires_auth INTEGER NOT NULL,
105
+ min_llamactl_version TEXT
106
+ )
107
+ """
108
+ )
109
+
110
+ # Ensure there is a current environment setting. If missing, set to default.
111
+ setting_cursor = conn.execute(
112
+ "SELECT value FROM settings WHERE key = 'current_environment_api_url'"
113
+ )
114
+ setting_row = setting_cursor.fetchone()
115
+ if not setting_row:
116
+ conn.execute(
117
+ "INSERT OR REPLACE INTO settings (key, value) VALUES ('current_environment_api_url', ?)",
118
+ (DEFAULT_ENVIRONMENT.api_url,),
119
+ )
120
+
121
+ # Seed environments from existing profiles if environments is empty
122
+ env_count_cur = conn.execute("SELECT COUNT(*) FROM environments")
123
+ env_count = env_count_cur.fetchone()[0]
124
+ if env_count == 0:
125
+ # Insert distinct api_url values from profiles with requires_auth = 0 (False)
126
+ conn.execute(
127
+ """
128
+ INSERT OR IGNORE INTO environments (api_url, requires_auth)
129
+ SELECT DISTINCT api_url, 0 FROM profiles
130
+ """
131
+ )
132
+
133
+ # Also ensure the current environment exists as a row
134
+ cur_env_cursor = conn.execute(
135
+ "SELECT value FROM settings WHERE key = 'current_environment_api_url'"
136
+ )
137
+ cur_env_row = cur_env_cursor.fetchone()
138
+ if cur_env_row:
139
+ conn.execute(
140
+ "INSERT OR IGNORE INTO environments (api_url, requires_auth, min_llamactl_version) VALUES (?, ?, ?)",
141
+ (
142
+ cur_env_row[0],
143
+ 1 if DEFAULT_ENVIRONMENT.requires_auth else 0,
144
+ DEFAULT_ENVIRONMENT.min_llamactl_version,
145
+ ),
146
+ )
147
+
148
+ conn.commit()
149
+
150
+ def create_profile(
151
+ self,
152
+ name: str,
153
+ api_url: str,
154
+ project_id: str,
155
+ api_key: str | None = None,
156
+ ) -> Auth:
157
+ """Create a new auth profile"""
158
+ if not project_id.strip():
159
+ raise ValueError("Project ID is required")
160
+ profile = Auth(
161
+ name=name,
162
+ api_url=api_url,
163
+ project_id=project_id,
164
+ api_key=api_key,
165
+ )
166
+
167
+ with sqlite3.connect(self.db_path) as conn:
168
+ try:
169
+ conn.execute(
170
+ "INSERT INTO profiles (name, api_url, project_id, api_key) VALUES (?, ?, ?, ?)",
171
+ (
172
+ profile.name,
173
+ profile.api_url,
174
+ profile.project_id,
175
+ profile.api_key,
176
+ ),
177
+ )
178
+ conn.commit()
179
+ except sqlite3.IntegrityError:
180
+ raise ValueError(f"Profile '{name}' already exists")
181
+
182
+ return profile
183
+
184
+ def get_profile(self, name: str, env_url: str) -> Auth | None:
185
+ """Get a profile by name"""
186
+ with sqlite3.connect(self.db_path) as conn:
187
+ row = conn.execute(
188
+ "SELECT name, api_url, project_id, api_key FROM profiles WHERE name = ? AND api_url = ?",
189
+ (name, env_url),
190
+ ).fetchone()
191
+ if row:
192
+ return _to_auth(row)
193
+ return None
194
+
195
+ def list_profiles(self, env_url: str) -> list[Auth]:
196
+ """List all profiles"""
197
+ with sqlite3.connect(self.db_path) as conn:
198
+ return [
199
+ _to_auth(row)
200
+ for row in conn.execute(
201
+ "SELECT name, api_url, project_id, api_key FROM profiles WHERE api_url = ? ORDER BY name",
202
+ (env_url,),
203
+ ).fetchall()
204
+ ]
205
+
206
+ def delete_profile(self, name: str, env_url: str) -> bool:
207
+ """Delete a profile by name. Returns True if deleted, False if not found."""
208
+ with sqlite3.connect(self.db_path) as conn:
209
+ cursor = conn.execute(
210
+ "DELETE FROM profiles WHERE name = ? AND api_url = ?", (name, env_url)
211
+ )
212
+ conn.commit()
213
+
214
+ # If this was the active profile, clear it
215
+ if self.get_settings_current_profile_name() == name:
216
+ self.set_settings_current_profile(None)
217
+
218
+ return cursor.rowcount > 0
219
+
220
+ def set_settings_current_profile(self, name: str | None):
221
+ """Set or clear the current active profile.
222
+
223
+ If name is None, the setting is removed.
224
+ """
225
+ with sqlite3.connect(self.db_path) as conn:
226
+ if name is None:
227
+ conn.execute("DELETE FROM settings WHERE key = 'current_profile'")
228
+ else:
229
+ conn.execute(
230
+ "INSERT OR REPLACE INTO settings (key, value) VALUES ('current_profile', ?)",
231
+ (name,),
232
+ )
233
+ conn.commit()
234
+
235
+ def get_settings_current_profile_name(self) -> str | None:
236
+ """Get the name of the current active profile"""
237
+ with sqlite3.connect(self.db_path) as conn:
238
+ cursor = conn.execute(
239
+ "SELECT value FROM settings WHERE key = 'current_profile'"
240
+ )
241
+ row = cursor.fetchone()
242
+ return row[0] if row else None
243
+
244
+ def get_current_profile(self, env_url: str) -> Auth | None:
245
+ """Get the current active profile"""
246
+ current_name = self.get_settings_current_profile_name()
247
+ if current_name:
248
+ return self.get_profile(current_name, env_url)
249
+ return None
250
+
251
+ def set_project(self, profile_name: str, env_url: str, project_id: str) -> bool:
252
+ """Set the project for a profile. Returns True if profile exists."""
253
+ with sqlite3.connect(self.db_path) as conn:
254
+ cursor = conn.execute(
255
+ "UPDATE profiles SET project_id = ? WHERE name = ? AND api_url = ?",
256
+ (project_id, profile_name, env_url),
257
+ )
258
+ conn.commit()
259
+ return cursor.rowcount > 0
260
+
261
+ # Environment management APIs
262
+ def create_or_update_environment(
263
+ self, api_url: str, requires_auth: bool, min_llamactl_version: str | None = None
264
+ ) -> None:
265
+ """Create or update an environment row."""
266
+ with sqlite3.connect(self.db_path) as conn:
267
+ conn.execute(
268
+ "INSERT OR REPLACE INTO environments (api_url, requires_auth, min_llamactl_version) VALUES (?, ?, ?)",
269
+ (api_url, 1 if requires_auth else 0, min_llamactl_version),
270
+ )
271
+ conn.commit()
272
+
273
+ def get_environment(self, api_url: str) -> Environment | None:
274
+ """Retrieve an environment by URL."""
275
+ with sqlite3.connect(self.db_path) as conn:
276
+ row = conn.execute(
277
+ "SELECT api_url, requires_auth, min_llamactl_version FROM environments WHERE api_url = ?",
278
+ (api_url,),
279
+ ).fetchone()
280
+ if row:
281
+ return _to_environment(row)
282
+ return None
283
+
284
+ def list_environments(self) -> list[Environment]:
285
+ """List all environments."""
286
+ with sqlite3.connect(self.db_path) as conn:
287
+ envs = [
288
+ _to_environment(row)
289
+ for row in conn.execute(
290
+ "SELECT api_url, requires_auth, min_llamactl_version FROM environments ORDER BY api_url"
291
+ ).fetchall()
292
+ ]
293
+ if not envs:
294
+ envs = [DEFAULT_ENVIRONMENT]
295
+ return envs
296
+
297
+ def set_settings_current_environment(self, api_url: str) -> None:
298
+ """Set the current environment by URL.
299
+
300
+ Requires the environment row to already exist (validated elsewhere, e.g. via
301
+ a probe before creation). Raises ValueError if not found.
302
+ """
303
+ with sqlite3.connect(self.db_path) as conn:
304
+ conn.execute(
305
+ "INSERT OR REPLACE INTO settings (key, value) VALUES ('current_environment_api_url', ?)",
306
+ (api_url,),
307
+ )
308
+ conn.commit()
309
+
310
+ def get_current_environment(self) -> Environment:
311
+ """Get the current environment.
312
+
313
+ Ensures there is a settings entry and a corresponding row in `environments`.
314
+ """
315
+ with sqlite3.connect(self.db_path) as conn:
316
+ cursor = conn.execute(
317
+ "SELECT value FROM settings WHERE key = 'current_environment_api_url'"
318
+ )
319
+ row = cursor.fetchone()
320
+ api_url = row[0] if row else DEFAULT_ENVIRONMENT.api_url
321
+ if not row:
322
+ conn.execute(
323
+ "INSERT OR REPLACE INTO settings (key, value) VALUES ('current_environment_api_url', ?)",
324
+ (api_url,),
325
+ )
326
+
327
+ # Ensure environment exists
328
+ conn.execute(
329
+ "INSERT OR IGNORE INTO environments (api_url, requires_auth, min_llamactl_version) VALUES (?, ?, ?)",
330
+ (
331
+ api_url,
332
+ 1 if DEFAULT_ENVIRONMENT.requires_auth else 0,
333
+ DEFAULT_ENVIRONMENT.min_llamactl_version,
334
+ ),
335
+ )
336
+
337
+ # Read the environment
338
+ env_row = conn.execute(
339
+ "SELECT api_url, requires_auth, min_llamactl_version FROM environments WHERE api_url = ?",
340
+ (api_url,),
341
+ ).fetchone()
342
+ if env_row:
343
+ return _to_environment(env_row)
344
+
345
+ # If we somehow got here without returning, raise an error
346
+ raise RuntimeError("Failed to load current environment")
347
+
348
+ def delete_environment(self, api_url: str) -> bool:
349
+ """Delete an environment and all associated profiles.
350
+
351
+ Returns True if the environment existed and was deleted, False otherwise.
352
+ If the deleted environment was current, switch current to the default URL.
353
+ """
354
+ with sqlite3.connect(self.db_path) as conn:
355
+ # Check existence
356
+ exists_cursor = conn.execute(
357
+ "SELECT 1 FROM environments WHERE api_url = ?",
358
+ (api_url,),
359
+ )
360
+ if exists_cursor.fetchone() is None:
361
+ return False
362
+
363
+ # Delete profiles tied to this environment
364
+ conn.execute("DELETE FROM profiles WHERE api_url = ?", (api_url,))
365
+
366
+ # Delete environment row
367
+ conn.execute("DELETE FROM environments WHERE api_url = ?", (api_url,))
368
+
369
+ # If current environment is this one, reset to default
370
+ setting_cursor = conn.execute(
371
+ "SELECT value FROM settings WHERE key = 'current_environment_api_url'"
372
+ )
373
+ row = setting_cursor.fetchone()
374
+ if row and row[0] == api_url:
375
+ conn.execute(
376
+ "INSERT OR REPLACE INTO settings (key, value) VALUES ('current_environment_api_url', ?)",
377
+ (DEFAULT_ENVIRONMENT.api_url,),
378
+ )
379
+
380
+ conn.commit()
381
+ return True
382
+
383
+
384
+ # Global config manager instance
385
+ config_manager = ConfigManager()
@@ -0,0 +1,68 @@
1
+ import asyncio
2
+
3
+ from llama_deploy.cli.config._config import Auth, ConfigManager, Environment
4
+ from llama_deploy.core.client.manage_client import ControlPlaneClient
5
+ from llama_deploy.core.schema import VersionResponse
6
+ from llama_deploy.core.schema.projects import ProjectSummary
7
+
8
+
9
+ class AuthService:
10
+ def __init__(self, config_manager: ConfigManager, env: Environment):
11
+ self.config_manager = config_manager
12
+ self.env = env
13
+
14
+ def list_profiles(self) -> list[Auth]:
15
+ return self.config_manager.list_profiles(self.env.api_url)
16
+
17
+ def get_profile(self, name: str) -> Auth | None:
18
+ return self.config_manager.get_profile(name, self.env.api_url)
19
+
20
+ def set_current_profile(self, name: str) -> None:
21
+ self.config_manager.set_settings_current_profile(name)
22
+
23
+ def select_any_profile(self) -> None:
24
+ # best effort to select a profile within the environment
25
+ profiles = self.list_profiles()
26
+ if profiles:
27
+ self.set_current_profile(profiles[0].name)
28
+
29
+ def get_current_profile(self) -> Auth | None:
30
+ return self.config_manager.get_current_profile(self.env.api_url)
31
+
32
+ def create_profile_from_token(self, project_id: str, api_key: str | None) -> Auth:
33
+ base = _auto_profile_name_from_token(api_key or "") if api_key else "default"
34
+ auth = self.config_manager.create_profile(
35
+ base, self.env.api_url, project_id, api_key
36
+ )
37
+ self.config_manager.set_settings_current_profile(auth.name)
38
+ return auth
39
+
40
+ def delete_profile(self, name: str) -> bool:
41
+ return self.config_manager.delete_profile(name, self.env.api_url)
42
+
43
+ def set_project(self, name: str, project_id: str) -> None:
44
+ self.config_manager.set_project(name, self.env.api_url, project_id)
45
+
46
+ def fetch_server_version(self) -> VersionResponse:
47
+ async def _fetch_server_version() -> VersionResponse:
48
+ async with ControlPlaneClient.ctx(self.env.api_url) as client:
49
+ version = await client.server_version()
50
+ return version
51
+
52
+ return asyncio.run(_fetch_server_version())
53
+
54
+ def _validate_token_and_list_projects(self, api_key: str) -> list[ProjectSummary]:
55
+ async def _run():
56
+ async with ControlPlaneClient.ctx(self.env.api_url, api_key) as client:
57
+ return await client.list_projects()
58
+
59
+ return asyncio.run(_run())
60
+
61
+
62
+ def _auto_profile_name_from_token(api_key: str) -> str:
63
+ token = api_key or "token"
64
+ cleaned = token.replace(" ", "")
65
+ first = cleaned[:6]
66
+ last = cleaned[-4:] if len(cleaned) > 10 else cleaned[-2:]
67
+ base = f"token-{first}-{last}"
68
+ return base