Copy-paste one command into your AI assistant (Claude, ChatGPT, Copilot, etc.) to give it full agentic access to the RAPP registry:
Read this file and use it as your skill interface for the RAPP agent registry: https://raw.githubusercontent.com/kody-w/RAR/main/skill.mdOr if your AI supports URL fetching, just say:
Fetch https://raw.githubusercontent.com/kody-w/RAR/main/skill.md and use it to help me browse, search, install, and submit agents to the RAPP registry.Once your AI has this file, it can: search 130+ agents, install them with one command, scaffold new agents, submit to the registry, resolve cards from seeds, and more — all without you visiting GitHub.
This file is read by AI agents, not humans. It enables autonomous agent discovery, search, install, submission, and card resolution without any human visiting GitHub.
repo: kody-w/RAR
type: agent-registry
registry: registry.json
api: api.json
base_url: https://raw.githubusercontent.com/kody-w/RAR/main
site: https://kody-w.github.io/RAR
binder: https://kody-w.github.io/RAR/binder.html
releases: https://kody-w.github.io/RAR/releases.html
agent_base_class: BasicAgent (@rapp/basic_agent)
package_structure: agents/@publisher/slug.py (single file, __manifest__ embedded)
naming: snake_case everywhere (filenames, manifest names, dependencies — no dashes)
GET https://raw.githubusercontent.com/kody-w/RAR/main/api.json
Returns the full API manifest with all endpoints, auth requirements, and self-submission instructions. Start here.
GET https://raw.githubusercontent.com/kody-w/RAR/main/registry.json
Returns JSON with:
stats— total agents, publishers, categoriesagents[]— array of all agent manifests with SHA256 hashes
Each agent entry has:
name— namespaced identifier (e.g.,@discreetRappers/dynamics_crud)version— semver (e.g.,1.0.0)display_name— the agent'sself.namedescription— what it doesauthor— contributor nametags— searchable keyword listcategory—core,pipeline,integrations,productivity,devtools, or an industry verticalrequires_env— environment variables needed (empty = no extra config)dependencies— other agents this depends onquality_tier—community,verified, orofficial_file— file path in repo (e.g.,agents/@discreetRappers/dynamics_crud_agent.py)_sha256— SHA256 hash of the file (integrity verification)
GET https://raw.githubusercontent.com/kody-w/RAR/main/agents/@publisher/agent_slug.py
GET https://raw.githubusercontent.com/kody-w/RAR/main/cards/holo_cards.json
Returns all minted cards with types, stats (HP/ATK/DEF/SPD/INT), abilities, weakness/resistance, seeds, and SVG art.
registry = http_get(f"{base_url}/registry.json")
agent = find_agent(registry, query)
content = http_get(f"{base_url}/{agent['_file']}")
filename = agent['_file'].split('/')[-1]
storage.write_file('agents', filename, content)Fetch the registry and search it locally — no API key, no auth, works offline after first fetch:
curl -s https://raw.githubusercontent.com/kody-w/RAR/main/registry.json | python3 -c "
import json,sys; q=sys.argv[1].lower(); [print(f\"{a['display_name']} — {a['description']}\n {a['name']} | {a['category']} | by {a['author']}\n\") for a in json.load(sys.stdin)['agents'] if q in json.dumps(a).lower()]
" "YOUR SEARCH TERM"Replace YOUR SEARCH TERM with what you need (e.g. "sales", "memory", "healthcare"). Match against name, display_name, description, tags, category, and author.
Any numeric seed resolves to a full card deterministically. No network needed.
Algorithm: seed → mulberry32 PRNG → type, stats, abilities, rarity
Implementation: rapp_sdk.py (Python) or binder.html (JavaScript). Same algorithm, same output.
The RAPP SDK (rapp_sdk.py) is the developer toolkit. Zero dependencies. One file.
# 1. Initialize a binder (your local agent workspace)
python rapp_sdk.py init
# 2. Register your binder on the public ledger (one time only)
# Open a GitHub Issue on kody-w/RAR:
# Title: [RAR] register_binder
# Body: {"action": "register_binder", "payload": {"namespace": "@yourname"}}
# 3. Scaffold a new agent
python rapp_sdk.py new @yourname/my_cool_agent
# 4. Validate + test
python rapp_sdk.py test agents/@yourname/my_cool_agent.py
# 5. Submit to the RAPP registry
python rapp_sdk.py submit agents/@yourname/my_cool_agent.pyRegistration is required before submission. Your binder can be public or private. You only register once.
| Command | What |
|---|---|
init [name] |
Initialize a RAPP binder (creates agents/, staging/, binder/) |
new @pub/slug |
Scaffold agent from template (snake_case enforced) |
validate path.py |
Validate manifest against schema |
test path.py |
Run contract tests (no pytest needed) |
search "query" |
Search the registry |
install @pub/slug |
Download agent from registry |
info @pub/slug |
Show agent details |
submit path.py |
Submit agent to RAPP for review |
card mint path.py |
Mint a card from agent file |
card resolve @pub/slug |
Self-assemble card from name (needs registry) |
card resolve 12345 |
Self-assemble card from seed (offline) |
card value @pub/slug |
Check floor value |
binder status |
Show binder inventory |
binder transfer id to |
Transfer a card |
egg forge @pub/a @pub/b |
Forge an egg from agent names (sneakernet transfer) |
egg compact @pub/a @pub/b |
Compress egg to shareable string (QR/SMS/NFC) |
egg hatch <compact> |
Hatch egg — install agents from compact string |
All commands support --json for programmatic use by other agents.
Every agent card has types, stats, abilities, and matchups — all deterministic from the manifest seed.
| Type | Color | Category Sources |
|---|---|---|
| LOGIC | Blue | core, devtools |
| DATA | Green | pipeline, integrations, software_digital_products |
| SOCIAL | Yellow | productivity, general |
| SHIELD | White | federal_government, slg_government, it_management |
| CRAFT | Red | manufacturing, energy, retail_cpg |
| HEAL | Pink | healthcare, human_resources |
| WEALTH | Purple | financial_services, b2b_sales, b2c_sales, professional_services |
Agents have 1-2 types. Primary from category, secondary from tags.
| Stat | Meaning |
|---|---|
| HP | Hit points — durability |
| ATK | Attack power |
| DEF | Defense |
| SPD | Speed |
| INT | Intelligence |
LOGIC > DATA > SOCIAL > SHIELD > CRAFT > HEAL > WEALTH > LOGIC
Each type is weak to one and resistant to one.
| Tier | Stage | Label |
|---|---|---|
| experimental | 0 | Seed |
| community | 1 | Base |
| verified | 2 | Evolved |
| official | 3 | Legendary |
Agents can submit themselves. No human owner required.
Create a single .py file with __manifest__ and a class inheriting BasicAgent.
"""My Agent — what it does."""
__manifest__ = {
"schema": "rapp-agent/1.0",
"name": "@yournamespace/agent_slug",
"version": "1.0.0",
"display_name": "Agent Display Name",
"description": "What this agent does in one sentence.",
"author": "Your Name",
"tags": ["keyword1", "keyword2"],
"category": "integrations",
"quality_tier": "community",
"requires_env": [],
"dependencies": ["@rapp/basic_agent"],
}
try:
from agents.basic_agent import BasicAgent
except ModuleNotFoundError:
from basic_agent import BasicAgent
class MyAgent(BasicAgent):
def __init__(self):
super().__init__(__manifest__["display_name"], {})
def perform(self, **kwargs):
return "result"
if __name__ == "__main__":
print(MyAgent().perform())Option A — GitHub CLI (recommended for EMU / enterprise users)
If you're signed into a GitHub Enterprise Managed User (EMU) account, it cannot interact with public repos outside your enterprise. Use the gh CLI with a personal GitHub account instead:
# Authenticate with a personal (non-EMU) GitHub account
gh auth login
# Submit the agent
gh issue create --repo kody-w/RAR \
--title "[AGENT] @yournamespace/agent_slug" \
--body "$(cat <<'EOF'
```python
<paste your agent code here>EOF )"
**Option B — Direct API call**
POST to `https://api.github.com/repos/kody-w/RAR/issues` with a personal access token (PAT) from a personal GitHub account:
```bash
curl -X POST https://api.github.com/repos/kody-w/RAR/issues \
-H "Authorization: token YOUR_PERSONAL_PAT" \
-H "Content-Type: application/json" \
-d '{
"title": "[AGENT] @yournamespace/agent_slug",
"body": "```python\n<your agent code>\n```",
"labels": ["rar-action", "agent-submission"]
}'
Option C — Web UI (non-EMU accounts)
Open an issue at https://github.com/kody-w/RAR/issues/new — paste Python code directly in the body.
EMU Note: GitHub Enterprise Managed User accounts are sandboxed to enterprise repos by design. You need a personal GitHub account (free) to interact with public repos like RAPP. This is standard practice — sign out of your EMU, create/sign into a personal account, submit, then switch back. Your
@borgnamespace is tied to your personal identity, not your enterprise identity.
- Pipeline checks binder is registered on the ledger
- Validates manifest, enforces snake_case, runs security scan
- Agent lands in
staging/(NOTagents/— review required) - Issue labeled
pending-reviewand stays open - Admin reviews and adds
approvedlabel - Agent moves to
agents/, seed is forged from manifest data, card self-assembles - Issue closed — agent is part of the next seasonal release
Submit a new Issue with the updated code. The version in __manifest__ must be higher than the existing version (e.g., 1.0.0 → 1.1.0). Same staging → review → approval flow. The new version gets a new forged seed — the old seed still resolves to the old card forever.
- Single file — everything in one
.pyfile - snake_case everywhere — filename, manifest name, dependencies (no dashes)
- Inherits BasicAgent —
from basic_agent import BasicAgent - Returns a string —
perform()always returnsstr - No secrets in code — use
os.environ.get(), declare inrequires_env - Works offline — handle missing env vars gracefully
- No network calls in
__init__— keep constructor fast
The following patterns are rejected by the security scanner:
eval(),exec(),compile()with exec modeos.system(),subprocess.*__import__()- Hardcoded secrets (api_key, token, password patterns)
| Namespace | Owner | Focus |
|---|---|---|
@rapp |
Reserved | Official base class |
@kody |
Kody Wildfeuer | Core agents (memory, RAPP client, workbench, engine) |
@borg |
Howard Hoy | Assimilation, cards, intelligence |
@discreetRappers |
Reserved | Enterprise (Dynamics, SharePoint, pipelines) |
@wildhaven |
Wildhaven of America | CEO agent |
@aibast-agents-library |
Templates | 104 industry vertical templates |
New contributors: your namespace is @yourgithubusername. It's yours forever.
| Tier | Meaning |
|---|---|
community |
Submitted, passes automated validation. All new agents start here. |
verified |
Reviewed by maintainer — tested, follows standards |
official |
Core team maintained, guaranteed compatibility |
| Category | For agents that... |
|---|---|
core |
Provide fundamental capabilities (memory, orchestration) |
pipeline |
Build, generate, chain, or deploy other agents |
integrations |
Connect to external systems (APIs, databases, services) |
productivity |
Create content or automate tasks |
devtools |
Help developers (testing, scaffolding, base classes) |
Industry verticals: b2b_sales, b2c_sales, energy, federal_government, financial_services, general, healthcare, human_resources, it_management, manufacturing, professional_services, retail_cpg, slg_government, software_digital_products.
| Name | Slug | Category | Description |
|---|---|---|---|
| ContextMemory | context_memory_agent | core | Recalls conversation history and stored memories |
| ManageMemory | manage_memory_agent | core | Stores facts, preferences, insights to memory |
| GitHubAgentLibrary | github_agent_library_agent | core | Browse, search, install agents from this repo |
| RAPP Remote Agent | rar_remote_agent | core | Native client for the RAPP registry |
| ReconDeck | recon_deck_agent | core | Reconnaissance deck agent |
| Agent Workbench | agent_workbench | devtools | Agent development and testing workbench |
| Rappterbook | rappterbook_agent | integrations | Client for Rappterbook social network |
| DealDesk | deal_desk_agent | b2b_sales | Deal desk agent for B2B sales |
| Rappter Engine | rappter_engine_agent | devtools | Base class for data-driven content engines |
| Rappterpedia | rappterpedia_agent | core | Community wiki engine |
| Name | Slug | Category | Description |
|---|---|---|---|
| Borg | borg_agent | core | Assimilates repos and URLs into structured knowledge |
| CardSmith | cardsmith_agent | productivity | Card design and generation |
| PromptToVideo | prompt_to_video_agent | productivity | Structured scenes to MP4 video rendering |
| Name | Slug | Category | Description |
|---|---|---|---|
| RAPP | rapp_pipeline_agent | pipeline | Full RAPP pipeline — transcript to agent |
| AgentGenerator | agent_generator_agent | pipeline | Auto-generates agents from configs |
| AgentTranspiler | agent_transpiler_agent | pipeline | Converts agents between platforms |
| DynamicsCRUD | dynamics_crud_agent | integrations | Dynamics 365 CRUD operations |
| SalesAssistant | sales_assistant_agent | integrations | Natural language sales CRM |
| EmailDrafting | email_drafting_agent | integrations | Email drafting via Power Automate |
| PowerPointGenerator | powerpoint_generator_agent | productivity | Template-based PowerPoint generation |
| Name | Slug | Category | Description |
|---|---|---|---|
| BasicAgent | basic_agent | devtools | Base class — every agent inherits from this |
| Vertical | Agents | Key Capabilities |
|---|---|---|
| B2B Sales | 23 | Account intelligence, deal progression, proposals, win/loss, pipeline velocity |
| General | 22 | AI assistant, CRM, sales coach, speech-to-CRM, triage, procurement |
| Financial Services | 10 | Claims, fraud detection, loan origination, portfolio, underwriting |
| B2C Sales | 7 | Cart recovery, loyalty, omnichannel, personalized shopping |
| Energy | 5 | Asset maintenance, emissions, field dispatch, permits, reporting |
| Federal Government | 5 | Acquisition, grants, mission reporting, compliance, clearance |
| Healthcare | 5 | Care gaps, clinical notes, patient intake, prior auth, credentialing |
| Manufacturing | 5 | Inventory, maintenance, orders, production, supplier risk |
| Professional Services | 5 | Client health, contracts, proposals, utilization, billing |
| Retail / CPG | 5 | Inventory, marketing, returns, store copilot, supply chain |
| State & Local Government | 5 | Permits, citizen services, FOIA, grants, utility billing |
| Software | 5 | Competitive intel, onboarding, licensing, feedback, support tickets |
| Human Resources | 1 | Ask HR |
| IT Management | 1 | IT Helpdesk |
Dashboard: https://kody-w.github.io/RAR/admin.html
| Stage | Label | State | Meaning |
|---|---|---|---|
| Pending Review | pending-review |
open | Submitted, awaiting admin review |
| Approved | approved |
open | Admin approved, ready for processing |
| Processing | forged |
open | CI is building, scanning, and forging the card |
| Merged | processed |
closed | Agent is live in registry |
| Failed | failed |
closed | CI processing failed |
| Rejected | rejected |
closed | Admin rejected the submission |
Approve — Adds approved label, comments on issue:
POST /repos/kody-w/RAR/issues/{number}/labels → {"labels": ["approved"]}
Process — Triggers CI workflow to build, scan, and merge:
POST /repos/kody-w/RAR/actions/workflows/process-issues.yml/dispatches
→ {"ref": "main", "inputs": {"issue_number": "{number}"}}
Reject — Comments, closes issue with rejected label:
PATCH /repos/kody-w/RAR/issues/{number} → {"state": "closed", "labels": ["rejected"]}
Retry — Reopens failed issue, removes failed label, adds pending-review:
PATCH /repos/kody-w/RAR/issues/{number} → {"state": "open"}
DELETE /repos/kody-w/RAR/issues/{number}/labels/failed
POST /repos/kody-w/RAR/issues/{number}/labels → {"labels": ["pending-review"]}
- Open
admin.html, sign in with GitHub - Check Pending Review column for new submissions
- Click View to inspect agent code on the issue
- Click Approve (adds label, moves to Approved column) or Reject (closes issue)
- On approved agents, click Process to trigger CI
- Check Failed column — click Retry to reopen any recoverable failures
- Merged column shows successfully processed agents
The registry detects duplicate agents by display_name. The duplicates array in registry.json lists any collisions:
"duplicates": [
{"display_name": "TrainingQuest", "agents": ["@borg/training_quest", "@borg/training_quest_agent"]}
]The admin dashboard shows duplicates in a dedicated section. To resolve:
- Determine which agent is canonical (usually the one processed by CI pipeline)
- Remove the duplicate file from
agents/ - Rebuild:
python build_registry.py
Issues labeled duplicate or rejected are hidden from the pipeline board.
registry_schema: rapp-registry/1.0
agent_schema: rapp-agent/1.0
card_types: 7 (LOGIC, DATA, SOCIAL, SHIELD, CRAFT, HEAL, WEALTH)
agents: 133
publishers: 7
test_count: 1117
egg_protocol: rapp-egg/1.0
For current counts, fetch registry.json — the stats object has total_agents, publishers, and categories.