Hooks
このコンテンツはまだ日本語訳がありません。
Hooks provide an extensible event-driven system for automating actions in response to agent commands and events. Hooks are automatically discovered from directories and can be managed via CLI commands, similar to how skills work in CoderClaw.
Getting Oriented
Section titled “Getting Oriented”Hooks are small scripts that run when something happens. There are two kinds:
- Hooks (this page): run inside the Gateway when agent events fire, like
/new,/reset,/stop, or lifecycle events. - Webhooks: external HTTP webhooks that let other systems trigger work in CoderClaw. See Webhook Hooks or use
coderclaw webhooksfor Gmail helper commands.
Hooks can also be bundled inside plugins; see Plugins.
Common uses:
- Save a memory snapshot when you reset a session
- Keep an audit trail of commands for troubleshooting or compliance
- Trigger follow-up automation when a session starts or ends
- Write files into the agent workspace or call external APIs when events fire
If you can write a small TypeScript function, you can write a hook. Hooks are discovered automatically, and you enable or disable them via the CLI.
Overview
Section titled “Overview”The hooks system allows you to:
- Save session context to memory when
/newis issued - Log all commands for auditing
- Trigger custom automations on agent lifecycle events
- Extend CoderClaw’s behavior without modifying core code
Getting Started
Section titled “Getting Started”Bundled Hooks
Section titled “Bundled Hooks”CoderClaw ships with four bundled hooks that are automatically discovered:
- 💾 session-memory: Saves session context to your agent workspace (default
~/.coderclaw/workspace/memory/) when you issue/new - 📎 bootstrap-extra-files: Injects additional workspace bootstrap files from configured glob/path patterns during
agent:bootstrap - 📝 command-logger: Logs all command events to
~/.coderclaw/logs/commands.log - 🚀 boot-md: Runs
BOOT.mdwhen the gateway starts (requires internal hooks enabled)
List available hooks:
coderclaw hooks listEnable a hook:
coderclaw hooks enable session-memoryCheck hook status:
coderclaw hooks checkGet detailed information:
coderclaw hooks info session-memoryOnboarding
Section titled “Onboarding”During onboarding (coderclaw onboard), you’ll be prompted to enable recommended hooks. The wizard automatically discovers eligible hooks and presents them for selection.
Hook Discovery
Section titled “Hook Discovery”Hooks are automatically discovered from three directories (in order of precedence):
- Workspace hooks:
<workspace>/hooks/(per-agent, highest precedence) - Managed hooks:
~/.coderclaw/hooks/(user-installed, shared across workspaces) - Bundled hooks:
<coderclaw>/dist/hooks/bundled/(shipped with CoderClaw)
Managed hook directories can be either a single hook or a hook pack (package directory).
Each hook is a directory containing:
my-hook/├── HOOK.md # Metadata + documentation└── handler.ts # Handler implementationHook Packs (npm/archives)
Section titled “Hook Packs (npm/archives)”Hook packs are standard npm packages that export one or more hooks via coderclaw.hooks in
package.json. Install them with:
coderclaw hooks install <path-or-spec>Npm specs are registry-only (package name + optional version/tag). Git/URL/file specs are rejected.
Example package.json:
{ "name": "@acme/my-hooks", "version": "0.1.0", "coderclaw": { "hooks": ["./hooks/my-hook", "./hooks/other-hook"] }}Each entry points to a hook directory containing HOOK.md and handler.ts (or index.ts).
Hook packs can ship dependencies; they will be installed under ~/.coderclaw/hooks/<id>.
Security note: coderclaw hooks install installs dependencies with npm install --ignore-scripts
(no lifecycle scripts). Keep hook pack dependency trees “pure JS/TS” and avoid packages that rely
on postinstall builds.
Hook Structure
Section titled “Hook Structure”HOOK.md Format
Section titled “HOOK.md Format”The HOOK.md file contains metadata in YAML frontmatter plus Markdown documentation:
---name: my-hookdescription: "Short description of what this hook does"homepage: https://docs.coderclaw.ai/automation/hooks#my-hookmetadata: { "coderclaw": { "emoji": "🔗", "events": ["command:new"], "requires": { "bins": ["node"] } } }---
# My Hook
Detailed documentation goes here...
## What It Does
- Listens for `/new` commands- Performs some action- Logs the result
## Requirements
- Node.js must be installed
## Configuration
No configuration needed.Metadata Fields
Section titled “Metadata Fields”The metadata.coderclaw object supports:
emoji: Display emoji for CLI (e.g.,"💾")events: Array of events to listen for (e.g.,["command:new", "command:reset"])export: Named export to use (defaults to"default")homepage: Documentation URLrequires: Optional requirementsbins: Required binaries on PATH (e.g.,["git", "node"])anyBins: At least one of these binaries must be presentenv: Required environment variablesconfig: Required config paths (e.g.,["workspace.dir"])os: Required platforms (e.g.,["darwin", "linux"])
always: Bypass eligibility checks (boolean)install: Installation methods (for bundled hooks:[{"id":"bundled","kind":"bundled"}])
Handler Implementation
Section titled “Handler Implementation”The handler.ts file exports a HookHandler function:
import type { HookHandler } from "../../src/hooks/hooks.js";
const myHandler: HookHandler = async (event) => { // Only trigger on 'new' command if (event.type !== "command" || event.action !== "new") { return; }
console.log(`[my-hook] New command triggered`); console.log(` Session: ${event.sessionKey}`); console.log(` Timestamp: ${event.timestamp.toISOString()}`);
// Your custom logic here
// Optionally send message to user event.messages.push("✨ My hook executed!");};
export default myHandler;Event Context
Section titled “Event Context”Each event includes:
{ type: 'command' | 'session' | 'agent' | 'gateway' | 'message', action: string, // e.g., 'new', 'reset', 'stop', 'received', 'sent' sessionKey: string, // Session identifier timestamp: Date, // When the event occurred messages: string[], // Push messages here to send to user context: { // Command events: sessionEntry?: SessionEntry, sessionId?: string, sessionFile?: string, commandSource?: string, // e.g., 'whatsapp', 'telegram' senderId?: string, workspaceDir?: string, bootstrapFiles?: WorkspaceBootstrapFile[], cfg?: CoderClawConfig, // Message events (see Message Events section for full details): from?: string, // message:received to?: string, // message:sent content?: string, channelId?: string, success?: boolean, // message:sent }}Event Types
Section titled “Event Types”Command Events
Section titled “Command Events”Triggered when agent commands are issued:
command: All command events (general listener)command:new: When/newcommand is issuedcommand:reset: When/resetcommand is issuedcommand:stop: When/stopcommand is issued
Agent Events
Section titled “Agent Events”agent:bootstrap: Before workspace bootstrap files are injected (hooks may mutatecontext.bootstrapFiles)
Gateway Events
Section titled “Gateway Events”Triggered when the gateway starts:
gateway:startup: After channels start and hooks are loaded
Message Events
Section titled “Message Events”Triggered when messages are received or sent:
message: All message events (general listener)message:received: When an inbound message is received from any channelmessage:sent: When an outbound message is successfully sent
Message Event Context
Section titled “Message Event Context”Message events include rich context about the message:
// message:received context{ from: string, // Sender identifier (phone number, user ID, etc.) content: string, // Message content timestamp?: number, // Unix timestamp when received channelId: string, // Channel (e.g., "whatsapp", "telegram", "discord") accountId?: string, // Provider account ID for multi-account setups conversationId?: string, // Chat/conversation ID messageId?: string, // Message ID from the provider metadata?: { // Additional provider-specific data to?: string, provider?: string, surface?: string, threadId?: string, senderId?: string, senderName?: string, senderUsername?: string, senderE164?: string, }}
// message:sent context{ to: string, // Recipient identifier content: string, // Message content that was sent success: boolean, // Whether the send succeeded error?: string, // Error message if sending failed channelId: string, // Channel (e.g., "whatsapp", "telegram", "discord") accountId?: string, // Provider account ID conversationId?: string, // Chat/conversation ID messageId?: string, // Message ID returned by the provider}Example: Message Logger Hook
Section titled “Example: Message Logger Hook”import type { HookHandler } from "../../src/hooks/hooks.js";import { isMessageReceivedEvent, isMessageSentEvent } from "../../src/hooks/internal-hooks.js";
const handler: HookHandler = async (event) => { if (isMessageReceivedEvent(event)) { console.log(`[message-logger] Received from ${event.context.from}: ${event.context.content}`); } else if (isMessageSentEvent(event)) { console.log(`[message-logger] Sent to ${event.context.to}: ${event.context.content}`); }};
export default handler;Tool Result Hooks (Plugin API)
Section titled “Tool Result Hooks (Plugin API)”These hooks are not event-stream listeners; they let plugins synchronously adjust tool results before CoderClaw persists them.
tool_result_persist: transform tool results before they are written to the session transcript. Must be synchronous; return the updated tool result payload orundefinedto keep it as-is. See Agent Loop.
Future Events
Section titled “Future Events”Planned event types:
session:start: When a new session beginssession:end: When a session endsagent:error: When an agent encounters an error
Creating Custom Hooks
Section titled “Creating Custom Hooks”1. Choose Location
Section titled “1. Choose Location”- Workspace hooks (
<workspace>/hooks/): Per-agent, highest precedence - Managed hooks (
~/.coderclaw/hooks/): Shared across workspaces
2. Create Directory Structure
Section titled “2. Create Directory Structure”mkdir -p ~/.coderclaw/hooks/my-hookcd ~/.coderclaw/hooks/my-hook3. Create HOOK.md
Section titled “3. Create HOOK.md”---name: my-hookdescription: "Does something useful"metadata: { "coderclaw": { "emoji": "🎯", "events": ["command:new"] } }---
# My Custom Hook
This hook does something useful when you issue `/new`.4. Create handler.ts
Section titled “4. Create handler.ts”import type { HookHandler } from "../../src/hooks/hooks.js";
const handler: HookHandler = async (event) => { if (event.type !== "command" || event.action !== "new") { return; }
console.log("[my-hook] Running!"); // Your logic here};
export default handler;5. Enable and Test
Section titled “5. Enable and Test”# Verify hook is discoveredcoderclaw hooks list
# Enable itcoderclaw hooks enable my-hook
# Restart your gateway process (menu bar app restart on macOS, or restart your dev process)
# Trigger the event# Send /new via your messaging channelConfiguration
Section titled “Configuration”New Config Format (Recommended)
Section titled “New Config Format (Recommended)”{ "hooks": { "internal": { "enabled": true, "entries": { "session-memory": { "enabled": true }, "command-logger": { "enabled": false } } } }}Per-Hook Configuration
Section titled “Per-Hook Configuration”Hooks can have custom configuration:
{ "hooks": { "internal": { "enabled": true, "entries": { "my-hook": { "enabled": true, "env": { "MY_CUSTOM_VAR": "value" } } } } }}Extra Directories
Section titled “Extra Directories”Load hooks from additional directories:
{ "hooks": { "internal": { "enabled": true, "load": { "extraDirs": ["/path/to/more/hooks"] } } }}Legacy Config Format (Still Supported)
Section titled “Legacy Config Format (Still Supported)”The old config format still works for backwards compatibility:
{ "hooks": { "internal": { "enabled": true, "handlers": [ { "event": "command:new", "module": "./hooks/handlers/my-handler.ts", "export": "default" } ] } }}Note: module must be a workspace-relative path. Absolute paths and traversal outside the workspace are rejected.
Migration: Use the new discovery-based system for new hooks. Legacy handlers are loaded after directory-based hooks.
CLI Commands
Section titled “CLI Commands”List Hooks
Section titled “List Hooks”# List all hookscoderclaw hooks list
# Show only eligible hookscoderclaw hooks list --eligible
# Verbose output (show missing requirements)coderclaw hooks list --verbose
# JSON outputcoderclaw hooks list --jsonHook Information
Section titled “Hook Information”# Show detailed info about a hookcoderclaw hooks info session-memory
# JSON outputcoderclaw hooks info session-memory --jsonCheck Eligibility
Section titled “Check Eligibility”# Show eligibility summarycoderclaw hooks check
# JSON outputcoderclaw hooks check --jsonEnable/Disable
Section titled “Enable/Disable”# Enable a hookcoderclaw hooks enable session-memory
# Disable a hookcoderclaw hooks disable command-loggerBundled hook reference
Section titled “Bundled hook reference”session-memory
Section titled “session-memory”Saves session context to memory when you issue /new.
Events: command:new
Requirements: workspace.dir must be configured
Output: <workspace>/memory/YYYY-MM-DD-slug.md (defaults to ~/.coderclaw/workspace)
What it does:
- Uses the pre-reset session entry to locate the correct transcript
- Extracts the last 15 lines of conversation
- Uses LLM to generate a descriptive filename slug
- Saves session metadata to a dated memory file
Example output:
# Session: 2026-01-16 14:30:00 UTC
- **Session Key**: agent:main:main- **Session ID**: abc123def456- **Source**: telegramFilename examples:
2026-01-16-vendor-pitch.md2026-01-16-api-design.md2026-01-16-1430.md(fallback timestamp if slug generation fails)
Enable:
coderclaw hooks enable session-memorybootstrap-extra-files
Section titled “bootstrap-extra-files”Injects additional bootstrap files (for example monorepo-local AGENTS.md / TOOLS.md) during agent:bootstrap.
Events: agent:bootstrap
Requirements: workspace.dir must be configured
Output: No files written; bootstrap context is modified in-memory only.
Config:
{ "hooks": { "internal": { "enabled": true, "entries": { "bootstrap-extra-files": { "enabled": true, "paths": ["packages/*/AGENTS.md", "packages/*/TOOLS.md"] } } } }}Notes:
- Paths are resolved relative to workspace.
- Files must stay inside workspace (realpath-checked).
- Only recognized bootstrap basenames are loaded.
- Subagent allowlist is preserved (
AGENTS.mdandTOOLS.mdonly).
Enable:
coderclaw hooks enable bootstrap-extra-filescommand-logger
Section titled “command-logger”Logs all command events to a centralized audit file.
Events: command
Requirements: None
Output: ~/.coderclaw/logs/commands.log
What it does:
- Captures event details (command action, timestamp, session key, sender ID, source)
- Appends to log file in JSONL format
- Runs silently in the background
Example log entries:
{"timestamp":"2026-01-16T14:30:00.000Z","action":"new","sessionKey":"agent:main:main","senderId":"+1234567890","source":"telegram"}{"timestamp":"2026-01-16T15:45:22.000Z","action":"stop","sessionKey":"agent:main:main","senderId":"[email protected]","source":"whatsapp"}View logs:
# View recent commandstail -n 20 ~/.coderclaw/logs/commands.log
# Pretty-print with jqcat ~/.coderclaw/logs/commands.log | jq .
# Filter by actiongrep '"action":"new"' ~/.coderclaw/logs/commands.log | jq .Enable:
coderclaw hooks enable command-loggerboot-md
Section titled “boot-md”Runs BOOT.md when the gateway starts (after channels start).
Internal hooks must be enabled for this to run.
Events: gateway:startup
Requirements: workspace.dir must be configured
What it does:
- Reads
BOOT.mdfrom your workspace - Runs the instructions via the agent runner
- Sends any requested outbound messages via the message tool
Enable:
coderclaw hooks enable boot-mdBest Practices
Section titled “Best Practices”Keep Handlers Fast
Section titled “Keep Handlers Fast”Hooks run during command processing. Keep them lightweight:
// ✓ Good - async work, returns immediatelyconst handler: HookHandler = async (event) => { void processInBackground(event); // Fire and forget};
// ✗ Bad - blocks command processingconst handler: HookHandler = async (event) => { await slowDatabaseQuery(event); await evenSlowerAPICall(event);};Handle Errors Gracefully
Section titled “Handle Errors Gracefully”Always wrap risky operations:
const handler: HookHandler = async (event) => { try { await riskyOperation(event); } catch (err) { console.error("[my-handler] Failed:", err instanceof Error ? err.message : String(err)); // Don't throw - let other handlers run }};Filter Events Early
Section titled “Filter Events Early”Return early if the event isn’t relevant:
const handler: HookHandler = async (event) => { // Only handle 'new' commands if (event.type !== "command" || event.action !== "new") { return; }
// Your logic here};Use Specific Event Keys
Section titled “Use Specific Event Keys”Specify exact events in metadata when possible:
metadata: { "coderclaw": { "events": ["command:new"] } } # SpecificRather than:
metadata: { "coderclaw": { "events": ["command"] } } # General - more overheadDebugging
Section titled “Debugging”Enable Hook Logging
Section titled “Enable Hook Logging”The gateway logs hook loading at startup:
Registered hook: session-memory -> command:newRegistered hook: bootstrap-extra-files -> agent:bootstrapRegistered hook: command-logger -> commandRegistered hook: boot-md -> gateway:startupCheck Discovery
Section titled “Check Discovery”List all discovered hooks:
coderclaw hooks list --verboseCheck Registration
Section titled “Check Registration”In your handler, log when it’s called:
const handler: HookHandler = async (event) => { console.log("[my-handler] Triggered:", event.type, event.action); // Your logic};Verify Eligibility
Section titled “Verify Eligibility”Check why a hook isn’t eligible:
coderclaw hooks info my-hookLook for missing requirements in the output.
Testing
Section titled “Testing”Gateway Logs
Section titled “Gateway Logs”Monitor gateway logs to see hook execution:
# macOS./scripts/clawlog.sh -f
# Other platformstail -f ~/.coderclaw/gateway.logTest Hooks Directly
Section titled “Test Hooks Directly”Test your handlers in isolation:
import { test } from "vitest";import { createHookEvent } from "./src/hooks/hooks.js";import myHandler from "./hooks/my-hook/handler.js";
test("my handler works", async () => { const event = createHookEvent("command", "new", "test-session", { foo: "bar", });
await myHandler(event);
// Assert side effects});Architecture
Section titled “Architecture”Core Components
Section titled “Core Components”src/hooks/types.ts: Type definitionssrc/hooks/workspace.ts: Directory scanning and loadingsrc/hooks/frontmatter.ts: HOOK.md metadata parsingsrc/hooks/config.ts: Eligibility checkingsrc/hooks/hooks-status.ts: Status reportingsrc/hooks/loader.ts: Dynamic module loadersrc/cli/hooks-cli.ts: CLI commandssrc/gateway/server-startup.ts: Loads hooks at gateway startsrc/auto-reply/reply/commands-core.ts: Triggers command events
Discovery Flow
Section titled “Discovery Flow”Gateway startup ↓Scan directories (workspace → managed → bundled) ↓Parse HOOK.md files ↓Check eligibility (bins, env, config, os) ↓Load handlers from eligible hooks ↓Register handlers for eventsEvent Flow
Section titled “Event Flow”User sends /new ↓Command validation ↓Create hook event ↓Trigger hook (all registered handlers) ↓Command processing continues ↓Session resetTroubleshooting
Section titled “Troubleshooting”Hook Not Discovered
Section titled “Hook Not Discovered”-
Check directory structure:
Terminal window ls -la ~/.coderclaw/hooks/my-hook/# Should show: HOOK.md, handler.ts -
Verify HOOK.md format:
Terminal window cat ~/.coderclaw/hooks/my-hook/HOOK.md# Should have YAML frontmatter with name and metadata -
List all discovered hooks:
Terminal window coderclaw hooks list
Hook Not Eligible
Section titled “Hook Not Eligible”Check requirements:
coderclaw hooks info my-hookLook for missing:
- Binaries (check PATH)
- Environment variables
- Config values
- OS compatibility
Hook Not Executing
Section titled “Hook Not Executing”-
Verify hook is enabled:
Terminal window coderclaw hooks list# Should show ✓ next to enabled hooks -
Restart your gateway process so hooks reload.
-
Check gateway logs for errors:
Terminal window ./scripts/clawlog.sh | grep hook
Handler Errors
Section titled “Handler Errors”Check for TypeScript/import errors:
# Test import directlynode -e "import('./path/to/handler.ts').then(console.log)"Migration Guide
Section titled “Migration Guide”From Legacy Config to Discovery
Section titled “From Legacy Config to Discovery”Before:
{ "hooks": { "internal": { "enabled": true, "handlers": [ { "event": "command:new", "module": "./hooks/handlers/my-handler.ts" } ] } }}After:
-
Create hook directory:
Terminal window mkdir -p ~/.coderclaw/hooks/my-hookmv ./hooks/handlers/my-handler.ts ~/.coderclaw/hooks/my-hook/handler.ts -
Create HOOK.md:
---name: my-hookdescription: "My custom hook"metadata: { "coderclaw": { "emoji": "🎯", "events": ["command:new"] } }---# My HookDoes something useful. -
Update config:
{"hooks": {"internal": {"enabled": true,"entries": {"my-hook": { "enabled": true }}}}} -
Verify and restart your gateway process:
Terminal window coderclaw hooks list# Should show: 🎯 my-hook ✓
Benefits of migration:
- Automatic discovery
- CLI management
- Eligibility checking
- Better documentation
- Consistent structure