emoclaw
Emoclaw builds a persistent emotional-state engine that extracts passages from local identity/memory files, trains or loads a small model, and injects an [EMOTIONAL STATE] block into prompts. It reads local files like SOUL.md/IDENTITY.md, runs shell commands (python -m venv, pip install), and calls Anthropic's API (requires ANTHROPIC_API_KEY).
Emotion Skill
Emotions for AI agents — built from memories, shaped by relationships, always changing.
Emoclaw trains a lightweight model on your agent's identity and conversation history, producing a persistent emotional state that evolves with every interaction. Emotions decay naturally between sessions, shift based on who's talking and what's being said, and gradually recalibrate as your agent grows. The result is injected into the system prompt as an [EMOTIONAL STATE] block, giving your AI a felt sense of its own inner life.
Quick Reference
| Situation | Action |
|---|---|
| First-time setup | python scripts/setup.py (or manual steps below) |
| Check current state | python -m emotion_model.scripts.status |
| Inject state into prompt | python -m emotion_model.scripts.inject_state |
| Start the daemon | bash scripts/daemon.sh start |
| Send a message to daemon | See Daemon Protocol |
| Retrain after new data | python -m emotion_model.scripts.train |
| Resume interrupted training | python -m emotion_model.scripts.train --resume |
| Add new training data | Add .jsonl entries to emotion_model/data/, re-run prepare + train |
| Upgrade from v0.1 | See references/upgrading.md |
| Change baselines | Edit emoclaw.yaml → dimensions[].baseline |
| Add a new channel | Edit emoclaw.yaml → channels list |
| Add a relationship | Edit emoclaw.yaml → relationships.known |
| Customize summaries | Create a summary-templates.yaml and point config at it |
Setup
Quick Setup
python skills/emoclaw/scripts/setup.py
This copies the bundled emotion_model engine to your project root, creates a venv, installs the package, and copies the config template. Then edit emoclaw.yaml to customize for your agent.
Manual Setup
If you prefer to set up manually:
1. Install the package
cd <project-root>
python3 -m venv emotion_model/.venv
source emotion_model/.venv/bin/activate
pip install -e emotion_model/
Required: Python 3.10+, PyTorch, sentence-transformers, PyYAML.
2. Copy and customize the config
cp skills/emoclaw/assets/emoclaw.yaml ./emoclaw.yaml
Edit emoclaw.yaml to set:
name— your agent's namedimensions— emotional dimensions with baselines and decay ratesrelationships.known— map of relationship names to embedding indiceschannels— communication channels your agent useslonging— absence-based desire growth (can be disabled)model.device—cpurecommended (MPS has issues with sentence-transformers)
See references/config-reference.md for the full schema.
3. Bootstrap (new agent)
If starting from scratch with identity/memory files:
# Extract passages from your identity files
python scripts/extract.py
# Auto-label passages using Claude API (requires ANTHROPIC_API_KEY)
python scripts/label.py
# Prepare train/val split and train
python -m emotion_model.scripts.prepare_dataset
python -m emotion_model.scripts.train
Or run the full pipeline:
python scripts/bootstrap.py
4. Verify
python -m emotion_model.scripts.status
python -m emotion_model.scripts.diagnose
Usage
Option A: Daemon (Recommended)
The daemon loads the model once and listens on a Unix socket, avoiding the ~2s sentence-transformer load time per message.
# Start
bash scripts/daemon.sh start
# Or directly
python -m emotion_model.daemon
python -m emotion_model.daemon --config path/to/emoclaw.yaml
Option B: Direct Python Import
from emotion_model.inference import EmotionEngine
engine = EmotionEngine(
model_path="emotion_model/checkpoints/best_model.pt",
state_path="memory/emotional-state.json",
)
block = engine.process_message(
message_text="Good morning!",
sender="alice", # or None for config default
channel="chat", # or None for config default
recent_context="...", # optional conversation context
)
print(block)
Option C: One-shot State Injection
For system prompt injection without the daemon:
python -m emotion_model.scripts.inject_state
This reads the persisted state, applies time-based decay, and outputs the [EMOTIONAL STATE] block.
Integration
System Prompt Injection
Add the output block to your system prompt. The block format:
[EMOTIONAL STATE]
Valence: 0.55 (balanced)
Arousal: 0.35 (balanced)
Dominance: 0.50 (balanced)
Safety: 0.70 (open)
Desire: 0.20 (neutral)
Connection: 0.50 (balanced)
Playfulness: 0.40 (balanced)
Curiosity: 0.50 (balanced)
Warmth: 0.45 (balanced)
Tension: 0.20 (relaxed)
Groundedness: 0.60 (balanced)
This feels like: present, alive, between one thing and the next
[/EMOTIONAL STATE]
Daemon Protocol
Send JSON over the Unix socket:
{"text": "Good morning!", "sender": "alice", "channel": "chat"}
Special commands:
{"command": "ping"}
{"command": "state"}
Heartbeat Integration
Call the daemon or inject_state script from your heartbeat/cron to keep the state block fresh:
# In your heartbeat script
STATE_BLOCK=$(python -m emotion_model.scripts.inject_state 2>/dev/null)
# Inject $STATE_BLOCK into system prompt
Architecture
The model processes each message through this pipeline:
Message Text ──→ [Frozen MiniLM Encoder] ──→ 384-dim embedding
│
Conversation Context ──→ [Feature Builder] ──→ context vector
│
Previous Emotion ──────────────────────────→ emotion vector
│
┌───────┴───────┐
│ Input Project │
│ (Linear+LN+GELU)│
└───────┬───────┘
│
┌───────┴───────┐
│ GRU │
│ (hidden state) │ ← emotional residue
└───────┬───────┘
│
┌───────┴───────┐
│ Emotion Head │
│ (MLP+Sigmoid) │
└───────┬───────┘
│
N-dim emotion vector [0,1]
The GRU hidden state persists across sessions — this is the "emotional residue" that carries forward mood, context, and relational memory.
See references/architecture.md for full details.
Configuration
All configuration lives in emoclaw.yaml. The package falls back to built-in defaults if no YAML is found.
Config search order:
EMOCLAW_CONFIGenvironment variable./emoclaw.yaml(project root)./skills/emoclaw/emoclaw.yaml
Key sections:
dimensions— name, labels, baseline, decay half-life, loss weightrelationships— known senders with embedding indiceschannels— communication channels (determines context vector size)longing— absence-based desire modulationmodel— architecture hyperparameterstraining— training hyperparameterscalibration— self-calibrating baseline drift (opt-in)
See references/config-reference.md for the complete schema.
Bootstrap Pipeline
Step 1: Extract Passages
scripts/extract.py reads identity and memory files, splitting them into labeled passages:
python scripts/extract.py
# Output: emotion_model/data/extracted_passages.jsonl
Source files are configured in emoclaw.yaml → bootstrap.source_files and bootstrap.memory_patterns.
Step 2: Auto-Label
scripts/label.py uses the Claude API to score each passage on every emotion dimension:
export ANTHROPIC_API_KEY=sk-ant-...
python scripts/label.py
# Output: emotion_model/data/passage_labels.jsonl
Each passage gets a 0.0-1.0 score per dimension plus a natural language summary.
Step 3: Prepare & Train
python -m emotion_model.scripts.prepare_dataset
python -m emotion_model.scripts.train
Retraining
To add new training data:
- Add entries to
emotion_model/data/in JSONL format:{"text": "message text", "labels": {"valence": 0.7, "arousal": 0.4, ...}} - Re-run the preparation and training:
python -m emotion_model.scripts.prepare_dataset python -m emotion_model.scripts.train
Incremental Retraining
The training script saves a rich checkpoint (training_checkpoint.pt) that preserves the full optimizer state, learning rate schedule, and early stopping counter. To continue training from where you left off:
# Resume from the last checkpoint automatically
python -m emotion_model.scripts.train --resume
# Or specify a checkpoint file
python -m emotion_model.scripts.train --resume emotion_model/checkpoints/training_checkpoint.pt
This is a true continuation — optimizer momentum, cosine annealing position, and patience counter all pick up exactly where they stopped.
Growth Model
As the AI accumulates real conversation data:
- Passive collection — Log messages + model predictions
- Correction events — When emotion feels wrong, log the correction
- Periodic retraining — Incorporate new data, retrain
- Baseline adjustment — Baselines may shift as the AI develops
The system is designed to grow with the AI, not remain static.
Resources
references/architecture.md— Model architecture deep-divereferences/config-reference.md— Full YAML config schemareferences/dimensions.md— Emotion dimension documentationreferences/calibration-guide.md— Baseline, decay, and self-calibration tuningreferences/upgrading.md— Version upgrade guideassets/emoclaw.yaml— Template config for new AIsassets/summary-templates.yaml— Generic summary templatesassets/example-summary-templates.yaml— Example personality-specific templatesengine/— Bundledemotion_modelPython package (copied to project root by setup.py)