-
Notifications
You must be signed in to change notification settings - Fork 1
Expand file tree
/
Copy pathbuild_registry.py
More file actions
577 lines (492 loc) · 21.7 KB
/
build_registry.py
File metadata and controls
577 lines (492 loc) · 21.7 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
#!/usr/bin/env python3
from __future__ import annotations
"""
Registry Builder — Auto-generates registry.json from __manifest__ dicts in agent files.
Run manually: python build_registry.py
Or via CI: Triggered on every push by .github/workflows/build-registry.yml
Scans agents/@publisher/ for .py and .py.card files with __manifest__ dicts and builds:
- registry.json (full index for programmatic access)
- Validates all manifests against schema
- Reports errors for malformed agents
Also scans swarms/@publisher/ for converged multi-agent singletons with __swarm__ dicts,
and promotes existing agent stacks to downloadable swarm bundles.
Supports two file formats:
- slug.py — bare agent (code + manifest)
- slug.py.card — complete agent+card package (code + manifest + __card__ shell)
"""
import ast
import hashlib
import json
import os
import re
import subprocess
import sys
from pathlib import Path
from datetime import datetime, timezone
AGENTS_DIR = Path("agents")
SWARMS_DIR = Path("swarms")
REGISTRY_FILE = Path("registry.json")
HOLO_CARDS_FILE = Path("cards/holo_cards.json")
# Cache holo card slugs for _has_card check
_holo_slugs = None
def _has_holo_card(agent_name):
global _holo_slugs
if _holo_slugs is None:
try:
data = json.loads(HOLO_CARDS_FILE.read_text())
_holo_slugs = set(data.keys()) if isinstance(data, dict) else set()
except (FileNotFoundError, json.JSONDecodeError):
_holo_slugs = set()
# holo_cards.json keys are full agent names like "@kody/deal-desk"
return agent_name in _holo_slugs or agent_name.replace('_', '-') in _holo_slugs or agent_name.replace('-', '_') in _holo_slugs
REQUIRED_MANIFEST_FIELDS = [
"schema", "name", "version", "display_name",
"description", "author", "tags", "category"
]
def extract_manifest(py_path: Path) -> dict:
"""Extract __manifest__ dict from a Python file using AST parsing."""
try:
source = py_path.read_text()
tree = ast.parse(source)
except SyntaxError as e:
print(f" ⚠ Syntax error in {py_path}: {e}")
return None
for node in ast.walk(tree):
if isinstance(node, ast.Assign):
for target in node.targets:
if isinstance(target, ast.Name) and target.id == "__manifest__":
try:
return ast.literal_eval(node.value)
except (ValueError, TypeError) as e:
print(f" ⚠ Cannot parse __manifest__ in {py_path}: {e}")
return None
return None
def validate_manifest(py_path: Path, manifest: dict) -> list:
"""Validate a manifest and return list of errors."""
errors = []
for field in REQUIRED_MANIFEST_FIELDS:
if field not in manifest:
errors.append(f"Missing required field: {field}")
name = manifest.get("name", "")
if not name.startswith("@") or "/" not in name:
errors.append(f"Invalid name format '{name}' — must be @publisher/slug")
version = manifest.get("version", "")
parts = version.split(".")
if len(parts) != 3 or not all(p.isdigit() for p in parts):
errors.append(f"Invalid version '{version}' — must be semver (e.g., 1.0.0)")
if not isinstance(manifest.get("tags", []), list):
errors.append("tags must be a list")
return errors
def extract_card(py_path: Path) -> dict:
"""Extract __card__ dict from a .py.card file using AST parsing."""
try:
source = py_path.read_text()
tree = ast.parse(source)
except SyntaxError:
return None
for node in ast.walk(tree):
if isinstance(node, ast.Assign):
for target in node.targets:
if isinstance(target, ast.Name) and target.id == "__card__":
try:
return ast.literal_eval(node.value)
except (ValueError, TypeError):
return None
return None
def extract_swarm(py_path: Path) -> dict:
"""Extract __swarm__ dict from a Python file using AST parsing."""
try:
source = py_path.read_text()
tree = ast.parse(source)
except SyntaxError:
return None
for node in ast.walk(tree):
if isinstance(node, ast.Assign):
for target in node.targets:
if isinstance(target, ast.Name) and target.id == "__swarm__":
try:
return ast.literal_eval(node.value)
except (ValueError, TypeError):
return None
return None
REQUIRED_SWARM_FIELDS = [
"schema", "id", "display_name", "summary", "category", "publisher", "produced_by"
]
def validate_swarm(py_path: Path, swarm: dict) -> list:
"""Validate a __swarm__ dict and return list of errors."""
errors = []
for field in REQUIRED_SWARM_FIELDS:
if field not in swarm:
errors.append(f"Missing required __swarm__ field: {field}")
if swarm.get("schema") != "rapp-swarm/1.0":
errors.append(f"Invalid swarm schema: {swarm.get('schema')} (expected rapp-swarm/1.0)")
pb = swarm.get("produced_by", {})
if not isinstance(pb, dict) or "method" not in pb:
errors.append("produced_by must be a dict with at least 'method'")
return errors
# First-party agents that legitimately need elevated capabilities.
# Community submissions are NEVER added here — they must find safe alternatives.
SECURITY_ALLOWLIST = {
"agents/@kody/agent_workbench_agent.py", # workbench needs exec for agent orchestration
"agents/@kody/rappter_engine_agent.py", # engine needs subprocess for CLI mode
"agents/@kody/rar_remote_agent.py", # remote agent needs subprocess for git/install
"agents/@borg/prompt_to_video_agent.py", # video rendering needs subprocess for ffmpeg
"agents/@discreetRappers/scripted_demo_agent.py", # demo runner needs exec for script execution
"agents/@rapp/learn_new_agent.py", # meta-agent uses subprocess for Copilot code gen + pip install
"agents/@rapp/fleet_commander_agent.py", # TDD pipeline uses subprocess for Copilot CLI + pytest + git
"swarms/@rapp/bookfactory_agent.py", # converged swarm with inlined LLM dispatch
"swarms/@rapp/momentfactory_agent.py", # converged swarm with inlined LLM dispatch
}
# Patterns that should never appear in agent code (supply chain defense)
DANGEROUS_PATTERNS = [
(r'\beval\s*\(', "eval() is forbidden — use safe alternatives"),
(r'\bexec\s*\(', "exec() is forbidden — use safe alternatives"),
(r'\b__import__\s*\(', "__import__() is forbidden — use standard imports"),
(r'\bcompile\s*\(.*["\']exec["\']', "compile() with exec mode is forbidden"),
(r'\bos\.system\s*\(', "os.system() is forbidden — declare in requires_env"),
(r'\bsubprocess\.\w+\s*\(', "subprocess is forbidden in agents"),
(r'\bopen\s*\(.*(\/etc|\/proc|\.env|\.ssh|passwd)', "suspicious file access pattern"),
(r'(api[_-]?key|secret|password|token)\s*=\s*["\'][^"\']{8,}', "possible hardcoded secret"),
]
def extract_stack_info(file_path: Path) -> tuple:
"""Extract stack name and vertical from file path.
Pattern: agents/@publisher/VERTICAL_stacks/NAME_stack/agent.py
Maps directly to the AI Agent Templates stack structure —
each stack becomes a deck, each agent.py becomes a card.
Returns (stack_name, vertical) or (None, None) if not in a stack.
"""
parts = file_path.parts
for i, part in enumerate(parts):
if part.endswith('_stacks') and i + 1 < len(parts) and parts[i + 1].endswith('_stack'):
vertical = part[:-7] # strip '_stacks'
stack = parts[i + 1][:-6] # strip '_stack'
return stack, vertical
return None, None
def compute_sha256(file_path: Path) -> str:
"""Compute SHA256 hash of file contents."""
return hashlib.sha256(file_path.read_bytes()).hexdigest()
def _seed_hash(s: str) -> int:
h = 0
for c in s:
h = ((h << 5) - h + ord(c)) & 0xFFFFFFFF
return h
def compute_seed(name: str, category: str, tier: str, tags: list, deps: list) -> int:
"""Forge a seed FROM agent data. Same algorithm as rapp_sdk.forge_seed.
The seed IS the card's DNA — encodes identity, types, tier, tag/dep hints.
Anyone with this number reconstructs the exact card. No registry needed.
This protocol is permanent."""
# Import type derivation from SDK to stay in sync
import sys as _sys
_sys.path.insert(0, str(Path(__file__).parent))
from rapp_sdk import forge_seed as _forge
return _forge(name, category, tier, tags, deps)
def scan_security(py_path: Path) -> list:
"""Static security scan — returns list of warnings."""
warnings = []
source = py_path.read_text()
for pattern, message in DANGEROUS_PATTERNS:
if re.search(pattern, source):
warnings.append(f"{py_path}: {message}")
return warnings
def check_version_immutability(name: str, version: str, sha256: str, file_path: str) -> str | None:
"""If a previous registry exists, verify version wasn't silently changed."""
if not REGISTRY_FILE.exists():
return None
try:
prev = json.loads(REGISTRY_FILE.read_text())
for agent in prev.get("agents", []):
if (agent.get("name") == name
and agent.get("version") == version
and agent.get("_file") == file_path):
prev_hash = agent.get("_sha256")
if prev_hash and prev_hash != sha256:
return (f"Version {version} already published with different content "
f"(hash mismatch). Bump the version number.")
except (json.JSONDecodeError, KeyError):
pass
return None
def _git_first_committed(path: Path):
"""Return the ISO date a file was first committed, or None if unavailable."""
try:
result = subprocess.run(
["git", "log", "--diff-filter=A", "--format=%cI", "--follow", "--", str(path)],
capture_output=True, text=True, timeout=10
)
dates = result.stdout.strip().splitlines()
return dates[-1] if dates else None
except (FileNotFoundError, subprocess.TimeoutExpired):
return None
def build_registry():
"""Scan all agent .py and .py.card files and build registry.json."""
agents = []
publishers = set()
categories = set()
errors = []
seen_names = set()
# Scan both .py and .py.card files; .py.card takes priority if both exist
all_files = sorted(set(
list(AGENTS_DIR.rglob("*.py")) +
[p for p in AGENTS_DIR.rglob("*.py.card")]
))
for py_path in all_files:
# Enforce snake_case filenames — no dashes allowed
stem = py_path.stem.replace('.py', '') # handle .py.card
if '-' in stem:
errors.append(f"{py_path}: filename contains dashes — rename to snake_case (e.g., {stem.replace('-', '_')}.py)")
continue
# Skip utility/template files
is_utility = py_path.name in ("update_agents.py", "d365_base_agent.py", "__init__.py")
is_template = "templates" in py_path.parts
if is_utility or is_template:
continue
manifest = extract_manifest(py_path)
if manifest is None:
continue
validation_errors = validate_manifest(py_path, manifest)
if validation_errors:
for err in validation_errors:
errors.append(f"{py_path}: {err}")
continue
name = manifest["name"]
# .py.card takes priority over .py for the same agent name
is_card = str(py_path).endswith('.py.card')
if name in seen_names and not is_card:
continue # skip .py if .py.card already registered
if name in seen_names and is_card:
agents[:] = [a for a in agents if a["name"] != name] # replace .py with .py.card
seen_names.add(name)
publisher = name.split("/")[0]
publishers.add(publisher)
categories.add(manifest.get("category", "uncategorized"))
# Security scan (skip first-party allowlisted agents)
if str(py_path) not in SECURITY_ALLOWLIST:
sec_warnings = scan_security(py_path)
if sec_warnings:
for w in sec_warnings:
errors.append(w)
continue
# Integrity hash
sha256 = compute_sha256(py_path)
# Version immutability — reject silent content changes
immut_err = check_version_immutability(name, manifest["version"], sha256, str(py_path))
if immut_err:
errors.append(f"{py_path}: {immut_err}")
continue
# Add file metadata
content = py_path.read_text()
manifest["_file"] = str(py_path)
# Extract stack membership from directory structure
# (maps AI Agent Templates stacks -> deck groupings)
stack_name, stack_vertical = extract_stack_info(py_path)
if stack_name:
manifest["_stack"] = stack_name
manifest["_stack_vertical"] = stack_vertical
manifest["_sha256"] = sha256
manifest["_seed"] = compute_seed(
name,
manifest.get("category", "general"),
manifest.get("quality_tier", "community"),
manifest.get("tags", []),
manifest.get("dependencies", []),
)
manifest["_size_kb"] = round(py_path.stat().st_size / 1024, 1)
manifest["_lines"] = len(content.split('\n'))
manifest["_has_card"] = is_card or _has_holo_card(name)
manifest["_added_at"] = _git_first_committed(py_path)
# Extract __card__ shell from .py.card files
if is_card:
card_data = extract_card(py_path)
if card_data:
manifest["_card"] = card_data
agents.append(manifest)
# ─── Scan swarms/ for converged multi-agent singletons ──────────────
converged_swarms = []
if SWARMS_DIR.exists():
swarm_files = sorted(SWARMS_DIR.rglob("*.py"))
for py_path in swarm_files:
if py_path.name == "__init__.py":
continue
stem = py_path.stem
if '-' in stem:
errors.append(f"{py_path}: filename contains dashes — rename to snake_case")
continue
manifest = extract_manifest(py_path)
if manifest is None:
continue
validation_errors = validate_manifest(py_path, manifest)
if validation_errors:
for err in validation_errors:
errors.append(f"{py_path}: {err}")
continue
swarm_meta = extract_swarm(py_path)
if swarm_meta is None:
errors.append(f"{py_path}: missing __swarm__ dict (required for swarms/)")
continue
swarm_errors = validate_swarm(py_path, swarm_meta)
if swarm_errors:
for err in swarm_errors:
errors.append(f"{py_path}: {err}")
continue
# Security scan
if str(py_path) not in SECURITY_ALLOWLIST:
sec_warnings = scan_security(py_path)
if sec_warnings:
for w in sec_warnings:
errors.append(w)
continue
sha256 = compute_sha256(py_path)
content = py_path.read_text()
name = manifest["name"]
publisher = name.split("/")[0]
publishers.add(publisher)
categories.add(manifest.get("category", "uncategorized"))
entry = {
"type": "converged",
"schema": manifest.get("schema", "rapp-agent/1.0"),
"name": name,
"version": manifest.get("version", "0.0.0"),
"display_name": manifest.get("display_name", ""),
"description": manifest.get("description", ""),
"author": manifest.get("author", ""),
"tags": manifest.get("tags", []),
"category": manifest.get("category", ""),
"quality_tier": manifest.get("quality_tier", "community"),
"requires_env": manifest.get("requires_env", []),
"dependencies": manifest.get("dependencies", []),
"_file": str(py_path),
"_sha256": sha256,
"_seed": compute_seed(
name,
manifest.get("category", "general"),
manifest.get("quality_tier", "community"),
manifest.get("tags", []),
manifest.get("dependencies", []),
),
"_size_kb": round(py_path.stat().st_size / 1024, 1),
"_lines": len(content.split('\n')),
"_added_at": _git_first_committed(py_path),
"_swarm": swarm_meta,
}
converged_swarms.append(entry)
# ─── Seed collision check (agents + converged swarms) ─────────────
seen_seeds = {}
for a in agents:
seed = a.get("_seed")
if seed is None:
continue
if seed in seen_seeds:
errors.append(
f"Seed collision: {a['name']} and {seen_seeds[seed]} "
f"both resolve to seed {seed}"
)
else:
seen_seeds[seed] = a["name"]
for s in converged_swarms:
seed = s.get("_seed")
if seed is None:
continue
if seed in seen_seeds:
errors.append(
f"Seed collision: {s['name']} and {seen_seeds[seed]} "
f"both resolve to seed {seed}"
)
else:
seen_seeds[seed] = s["name"]
# Detect duplicate display_names (different manifest names, same user-facing name)
seen_display = {}
duplicates = []
for a in agents:
dn = a.get("display_name", "")
if dn in seen_display:
duplicates.append((dn, seen_display[dn], a["name"]))
else:
seen_display[dn] = a["name"]
# ─── Build stacks index (backward compat) ──────────────���─────────
stacks = {}
for a in agents:
s = a.get("_stack")
if not s:
continue
if s not in stacks:
stacks[s] = {
"name": s,
"display_name": s.replace("_", " ").title(),
"vertical": a.get("_stack_vertical", ""),
"agents": [],
}
stacks[s]["agents"].append(a["name"])
# ─── Promote stacks to swarms (type: stack) ──────────────────────
stack_swarms = []
for stack_name, stack_data in stacks.items():
agent_files = []
total_size = 0
total_lines = 0
for agent_entry in agents:
if agent_entry.get("_stack") == stack_name:
agent_files.append(agent_entry["_file"])
total_size += agent_entry.get("_size_kb", 0)
total_lines += agent_entry.get("_lines", 0)
stack_swarms.append({
"type": "stack",
"name": f"@{stack_data['vertical']}/{stack_name}",
"display_name": stack_data["display_name"],
"vertical": stack_data["vertical"],
"category": stack_data["vertical"],
"agent_count": len(stack_data["agents"]),
"agents": stack_data["agents"],
"agent_files": agent_files,
"_size_kb": round(total_size, 1),
"_lines": total_lines,
})
# Combine all swarms
all_swarms = converged_swarms + stack_swarms
# ─── Build registry ───────────────────────────────────────────────
registry = {
"schema": "rapp-registry/1.1",
"version": "1.1.0",
"generated_at": datetime.now(timezone.utc).isoformat(),
"stats": {
"total_agents": len(agents),
"total_swarms": len(all_swarms),
"publishers": len(publishers),
"categories": len(categories),
"publisher_list": sorted(publishers),
"category_list": sorted(categories)
},
"duplicates": [{"display_name": dn, "agents": [a1, a2]} for dn, a1, a2 in duplicates],
"agents": agents,
"swarms": all_swarms,
}
if stacks:
registry["stacks"] = stacks
# Include instance metadata if rar.config.json exists
config_file = Path("rar.config.json")
if config_file.exists():
try:
config = json.loads(config_file.read_text())
registry["instance"] = {
"role": config.get("role", "main"),
"owner": config.get("owner", ""),
"repo": config.get("repo", ""),
"upstream": config.get("upstream"),
}
except (json.JSONDecodeError, KeyError):
pass
with open(REGISTRY_FILE, "w") as f:
json.dump(registry, f, indent=2)
print(f"✓ Registry built: {len(agents)} agents from {len(publishers)} publishers")
print(f" Swarms: {len(converged_swarms)} converged + {len(stack_swarms)} stacks = {len(all_swarms)} total")
print(f" Categories: {', '.join(sorted(categories))}")
print(f" Publishers: {', '.join(sorted(publishers))}")
if duplicates:
print(f"\n⚠ {len(duplicates)} duplicate display names:")
for dn, a1, a2 in duplicates:
print(f" - \"{dn}\": {a1} vs {a2}")
if errors:
print(f"\n⚠ {len(errors)} validation errors:")
for err in errors:
print(f" - {err}")
return 1
return 0
if __name__ == "__main__":
sys.exit(build_registry())