中文 | English
Everyone is raving about Ralph. What is it?
Ralph is an autonomous AI coding loop that ships features while you sleep.
Created by @GeoffreyHuntley and announced in his original post, it runs @AmpCode (or your agent of choice) repeatedly until all tasks are complete.
Each iteration is a fresh context window (keeping Threads nice and small). Memory persists via git history and text files.
I ran it for the first time and shipped a feature last night. I love it.
Jan 6
Didn't even get to bed yet. Already done. Impressed.
How It Works
(Here's a complete GitHub repo for you to download and try.)
A bash loop that:
- Pipes a prompt into your AI agent
- Agent picks the next story from prd.json
- Agent implements it
- Agent runs typecheck + tests
- Agent commits if passing
- Agent marks story done
- Agent logs learnings
- Loop repeats until done
Memory persists only through:
- Git commits
- progress.txt (learnings)
- prd.json (task status)
File Structure
scripts/ralph/
├── ralph.sh
├── prompt.md
├── prd.json
└── progress.txtralph.sh
The loop:
#!/bin/bash
set -e
MAX_ITERATIONS=${1:-10}
SCRIPT_DIR="$(cd "$(dirname \
"${BASH_SOURCE[0]}")" && pwd)"
echo "🚀 Starting Ralph"
for i in $(seq 1 $MAX_ITERATIONS); do
echo "═══ Iteration $i ═══"
OUTPUT=$(cat "$SCRIPT_DIR/prompt.md" \
| amp --dangerously-allow-all 2>&1 \
| tee /dev/stderr) || true
if echo "$OUTPUT" | \
grep -q "<promise>COMPLETE</promise>"
then
echo "✅ Done!"
exit 0
fi
sleep 2
done
echo "⚠️ Max iterations reached"
exit 1Make executable:
chmod +x scripts/ralph/ralph.shOther agents:
- Claude Code: `claude --dangerously-skip-permissions`
prompt.md
Instructions for each iteration:
# Ralph Agent Instructions
## Your Task
1. Read \`scripts/ralph/prd.json\`
2. Read \`scripts/ralph/progress.txt\`
(check Codebase Patterns first)
3. Check you're on the correct branch
4. Pick highest priority story
where \`passes: false\`
5. Implement that ONE story
6. Run typecheck and tests
7. Update AGENTS.md files with learnings
8. Commit: \`feat: [ID] - [Title]\`
9. Update prd.json: \`passes: true\`
10. Append learnings to progress.txt
## Progress Format
APPEND to progress.txt:
## [Date] - [Story ID]
- What was implemented
- Files changed
- **Learnings:**
- Patterns discovered
- Gotchas encountered
---
## Codebase Patterns
Add reusable patterns to the TOP
of progress.txt:
## Codebase Patterns
- Migrations: Use IF NOT EXISTS
- React: useRef<Timeout | null>(null)
## Stop Condition
If ALL stories pass, reply:
<promise>COMPLETE</promise>
Otherwise end normally.prd.json
Your task list:
{
"branchName": "ralph/feature",
"userStories": [
{
"id": "US-001",
"title": "Add login form",
"acceptanceCriteria": [
"Email/password fields",
"Validates email format",
"typecheck passes"
],
"priority": 1,
"passes": false,
"notes": ""
}
]
}Key fields:
- `branchName` — branch to use
- `priority` — lower = first
- `passes` — set true when done
progress.txt
Start with context:
# Ralph Progress Log
Started: 2024-01-15
## Codebase Patterns
- Migrations: IF NOT EXISTS
- Types: Export from actions.ts
## Key Files
- db/schema.ts
- app/auth/actions.ts
---Ralph appends after each story.
Patterns accumulate across iterations.
Running Ralph
./scripts/ralph/ralph.sh 25Runs up to 25 iterations.
Ralph will:
- Create the feature branch
- Complete stories one by one
- Commit after each
- Stop when all pass
Critical Success Factors
1. Small Stories
Must fit in one context window.
❌ Too big:
> "Build entire auth system"
✅ Right size:
> "Add login form"
> "Add email validation"
> "Add auth server action"2. Feedback Loops
Ralph needs fast feedback:
- `npm run typecheck`
- `npm test`
Without these, broken code compounds.
3. Explicit Criteria
❌ Vague:
> "Users can log in"
✅ Explicit:
> - Email/password fields
> - Validates email format
> - Shows error on failure
> - typecheck passes
> - Verify at localhost:$PORT/login (PORT defaults to 3000)4. Learnings Compound
By story 10, Ralph knows patterns from stories 1-9.
Two places for learnings:
- progress.txt — session memory for Ralph iterations
- AGENTS.md — permanent docs for humans and future agents
Before committing, Ralph updates AGENTS.md files in directories with edited files if it discovered reusable patterns (gotchas, conventions, dependencies).
5. AGENTS.md Updates
Ralph updates AGENTS.md when it learns something worth preserving:
✅ Good additions:
- "When modifying X, also update Y"
- "This module uses pattern Z"
- "Tests require dev server running"
❌ Don't add:
- Story-specific details
- Temporary notes
- Info already in progress.txt6. Browser Testing
For UI changes, use the dev-browser skill by @sawyerhood. Load it with `Load the dev-browser skill`, then:
# Start the browser server
~/.config/amp/skills/dev-browser/server.sh &
# Wait for "Ready" message
# Write scripts using heredocs
cd ~/.config/amp/skills/dev-browser && npx tsx <<'EOF'
import { connect, waitForPageLoad } from "@/client.js";
const client = await connect();
const page = await client.page("test");
await page.setViewportSize({ width: 1280, height: 900 });
const port = process.env.PORT || "3000";
await page.goto(\`http://localhost:${port}/your-page\`);
await waitForPageLoad(page);
await page.screenshot({ path: "tmp/screenshot.png" });
await client.disconnect();
EOFNot complete until verified with screenshot.
Common Gotchas
Idempotent migrations:
ADD COLUMN IF NOT EXISTS email TEXT;Interactive prompts:
echo -e "\n\n\n" | npm run db:generateSchema changes:
After editing schema, check:
- Server actions
- UI components
- API routes
Fixing related files is OK:
If typecheck requires other changes, make them. Not scope creep.
Monitoring
# Story status
cat scripts/ralph/prd.json | \
jq '.userStories[] | {id, passes}'
# Learnings
cat scripts/ralph/progress.txt
# Commits
git log --oneline -10Real Results
We built an evaluation system:
- 13 user stories
- ~15 iterations
- 2-5 min each
- ~1 hour total
Learnings compound. By story 10, Ralph knew our patterns.
When NOT to Use
- Exploratory work
- Major refactors without criteria
- Security-critical code
- Anything needing human review
For a great video walkthrough of how to use Ralph, checkout the video from @mattpocockuk ...
Jan 5
My Ralph Wiggum breakdown went viral. It's a keep-it-simple-stupid approach to AI coding that lets you ship while you sleep. So here's a full explanation, example code, and demo.