Major rewrite based on deep study of Karpathy's autoresearch repo.
Architecture changes:
- Multi-experiment support: .autoresearch/{domain}/{name}/ structure
- Domain categories: engineering, marketing, content, prompts, custom
- Project-level (git-tracked, shareable) or user-level (~/.autoresearch/) scope
- User chooses scope during setup, not installation
New evaluators (8 ready-to-use):
- Free: benchmark_speed, benchmark_size, test_pass_rate, build_speed, memory_usage
- LLM judge (uses existing subscription): llm_judge_content, llm_judge_prompt, llm_judge_copy
- LLM judges call user's CLI tool (claude/codex/gemini) — no extra API keys needed
Script improvements:
- setup_experiment.py: --domain, --scope, --evaluator, --list, --list-evaluators
- run_experiment.py: --experiment domain/name, --resume, --loop, --single
- log_results.py: --dashboard, --domain, --format csv|markdown|terminal, --output
Results export:
- Terminal (default), CSV, and Markdown formats
- Per-experiment, per-domain, or cross-experiment dashboard view
SKILL.md rewritten:
- Clear activation triggers (when the skill should activate)
- Practical examples for each domain
- Evaluator documentation with cost transparency
- Simplified loop protocol matching Karpathy's original philosophy
89 lines
3.4 KiB
Python
89 lines
3.4 KiB
Python
#!/usr/bin/env python3
|
|
"""LLM judge for marketing copy (social posts, ads, emails).
|
|
Uses the user's existing CLI tool for evaluation.
|
|
DO NOT MODIFY after experiment starts — this is the fixed evaluator."""
|
|
|
|
import subprocess
|
|
import sys
|
|
from pathlib import Path
|
|
|
|
# --- CONFIGURE THESE ---
|
|
TARGET_FILE = "posts.md" # Copy being optimized
|
|
CLI_TOOL = "claude" # or: codex, gemini
|
|
PLATFORM = "twitter" # twitter, linkedin, instagram, email, ad
|
|
# --- END CONFIG ---
|
|
|
|
JUDGE_PROMPTS = {
|
|
"twitter": """Score this Twitter/X post strictly:
|
|
1. HOOK (1-10) — Does the first line stop the scroll?
|
|
2. VALUE (1-10) — Does it provide insight, entertainment, or utility?
|
|
3. ENGAGEMENT (1-10) — Would people reply, retweet, or like?
|
|
4. BREVITY (1-10) — Is every word earning its place? No filler?
|
|
5. CTA (1-10) — Is there a clear next action (even implicit)?""",
|
|
|
|
"linkedin": """Score this LinkedIn post strictly:
|
|
1. HOOK (1-10) — Does the first line make you click "see more"?
|
|
2. STORYTELLING (1-10) — Is there a narrative arc or just statements?
|
|
3. CREDIBILITY (1-10) — Does it demonstrate expertise without bragging?
|
|
4. ENGAGEMENT (1-10) — Would professionals comment or share?
|
|
5. CTA (1-10) — Does it invite discussion or action?""",
|
|
|
|
"instagram": """Score this Instagram caption strictly:
|
|
1. HOOK (1-10) — Does the first line grab attention?
|
|
2. RELATABILITY (1-10) — Does the audience see themselves in this?
|
|
3. VISUAL MATCH (1-10) — Does the copy complement visual content?
|
|
4. HASHTAG STRATEGY (1-10) — Are hashtags relevant and not spammy?
|
|
5. CTA (1-10) — Does it encourage saves, shares, or comments?""",
|
|
|
|
"email": """Score this email subject + preview strictly:
|
|
1. OPEN INCENTIVE (1-10) — Would you open this in a crowded inbox?
|
|
2. SPECIFICITY (1-10) — Is it concrete or vague?
|
|
3. URGENCY (1-10) — Is there a reason to open now vs later?
|
|
4. PERSONALIZATION (1-10) — Does it feel written for someone, not everyone?
|
|
5. PREVIEW SYNC (1-10) — Does the preview text complement the subject?""",
|
|
|
|
"ad": """Score this ad copy strictly:
|
|
1. ATTENTION (1-10) — Does it stop someone scrolling past ads?
|
|
2. DESIRE (1-10) — Does it create want for the product/service?
|
|
3. PROOF (1-10) — Is there credibility (numbers, social proof)?
|
|
4. ACTION (1-10) — Is the CTA clear and compelling?
|
|
5. OBJECTION HANDLING (1-10) — Does it preempt "why not"?""",
|
|
}
|
|
|
|
platform_prompt = JUDGE_PROMPTS.get(PLATFORM, JUDGE_PROMPTS["twitter"])
|
|
|
|
JUDGE_PROMPT = f"""{platform_prompt}
|
|
|
|
Output EXACTLY this format:
|
|
criterion_1: <score>
|
|
criterion_2: <score>
|
|
criterion_3: <score>
|
|
criterion_4: <score>
|
|
criterion_5: <score>
|
|
engagement_score: <average of all 5>
|
|
|
|
Be harsh. Most copy is mediocre (4-6). Only exceptional copy scores 8+."""
|
|
|
|
content = Path(TARGET_FILE).read_text()
|
|
full_prompt = f"{JUDGE_PROMPT}\n\n---\n\nCopy to evaluate:\n\n{content}"
|
|
|
|
result = subprocess.run(
|
|
[CLI_TOOL, "-p", full_prompt],
|
|
capture_output=True, text=True, timeout=120
|
|
)
|
|
|
|
if result.returncode != 0:
|
|
print(f"LLM judge failed: {result.stderr[:200]}", file=sys.stderr)
|
|
sys.exit(1)
|
|
|
|
output = result.stdout
|
|
for line in output.splitlines():
|
|
line = line.strip()
|
|
if line.startswith("engagement_score:") or line.startswith("criterion_"):
|
|
print(line)
|
|
|
|
if "engagement_score:" not in output:
|
|
print("Could not parse engagement_score from LLM output", file=sys.stderr)
|
|
print(f"Raw: {output[:500]}", file=sys.stderr)
|
|
sys.exit(1)
|