Claude History MCP
An MCP server that makes your Claude Code conversation history searchable and proactively useful. Indexes all past sessions with hybrid BM25 + TF-IDF search, extracts knowledge (decisions, solutions, error fixes), and auto-injects project context at session start.
What it does
Claude Code stores full conversation transcripts as JSONL files in ~/.claude/projects/. This MCP server indexes them and provides 6 tools:
| Tool | Purpose |
|---|---|
search_history | Full-text search across all conversations with filter syntax |
find_solutions | Find how you fixed errors/problems before |
get_session_summary | Structured summary of any session |
list_projects | List all projects with session counts and dates |
find_patterns | Discover recurring topics, workflows, and issues |
get_project_context | Full project context (recent sessions, decisions, knowledge) |
cloud_sync_push | Push knowledge and sessions to cloud server |
cloud_sync_pull | Pull knowledge and sessions from cloud server |
cloud_sync_status | Check cloud sync configuration and connection |
Key features
- Hybrid search: BM25 (keyword precision) + TF-IDF (semantic recall) fused with Reciprocal Rank Fusion
- Filter syntax:
project:name,before:7d,after:2024-01-15,tool:Bash - Knowledge extraction: Automatically extracts decisions, solutions, and error→fix patterns from conversations
- Proactive context: Session-start hook injects relevant project history into new sessions
- Incremental indexing: File watcher detects new/changed sessions and re-indexes automatically
- Fast: Index build ~9s for 170 sessions, searches <200ms
How it works
┌──────────────────────────────────────────────────────┐
│ ClaudeHistoryMCP │
├──────────────┬───────────────┬───────────────────────┤
│ MCP Server │ /claude-history │ SessionStart Hook │
│ (6 tools) │ Skill │ (auto-context) │
├──────────────┴───────────────┴───────────────────────┤
│ Hybrid Search Engine │
│ BM25 (keywords) + TF-IDF (semantic) │
├──────────────────────────────────────────────────────┤
│ Indexing Pipeline │ Knowledge Layer │ Summaries │
├──────────────────────────────────────────────────────┤
│ JSONL Parsers │ File Watcher │ Document Store │
└──────────────────────────────────────────────────────┘
↕ ↕
~/.claude/history.jsonl ~/.claude/projects/*/*.jsonl
Search engine
- Tokenizer: lowercase → strip markdown → split → remove stop words → Porter stem → bigrams
- BM25: Inverted index for keyword precision (Okapi BM25, k1=1.2, b=0.75)
- TF-IDF: Sparse vectors + cosine similarity for semantic recall
- Fusion: Reciprocal Rank Fusion (RRF) combining both rankings
- Boosting: recency (7d=1.2x, 30d=1.1x) + project-match (1.3x if cwd matches)
Knowledge extraction
When sessions end (file stops changing for 5+ minutes), the system automatically extracts:
- Decisions: "decided to", "going with", "chose" patterns
- Solutions: "fixed", "solved", "the issue was" patterns
- Error fixes: error → resolution sequences
Data storage
Runtime data stored at ~/.claude-history-mcp/:
~/.claude-history-mcp/
index.msgpack # Serialized search index
knowledge.json # Extracted knowledge entries
summaries/{sessionId}.json # Cached session summaries
meta.json # Last-indexed timestamps
Installation
git clone https://github.com/jhammant/ClaudeHistoryMCP.git
cd ClaudeHistoryMCP
npm install
npm run build
1. Build the search index
npm run build-index
This parses all your Claude Code conversation history and builds the search index. Takes ~10 seconds for ~170 sessions.
2. Register the MCP server
claude mcp add claude-history -- node "/path/to/ClaudeHistoryMCP/dist/index.js"
3. Install the session-start hook and skill (optional)
npm run install-hook
This registers a SessionStart hook in ~/.claude/settings.json that auto-injects project context, and installs the /claude-history skill.
4. Add to your CLAUDE.md (recommended)
Add the following to your global ~/.claude/CLAUDE.md to ensure Claude proactively uses history tools:
## Claude History MCP
When the `claude-history` MCP is available, use it proactively:
- **Session start**: Use `get_project_context` to check for prior decisions, patterns, and recent session summaries for the current project
- **Debugging**: Use `find_solutions` to search history for past fixes before starting from scratch
- **Context questions**: When the user asks "have we done X before", "what did we decide", or similar — use `search_history` to find relevant past conversations
- **Patterns**: Use `find_patterns` to identify recurring workflows or issues when relevant
Without this, Claude has access to the tools but may not always think to reach for them.
5. Configure cloud sync (optional)
To sync knowledge across devices or share with a team, set up ClaudeHistory Cloud:
export CLAUDE_HISTORY_API_URL=https://your-server.com
export CLAUDE_HISTORY_API_KEY=your-api-key
export CLAUDE_HISTORY_TEAM_ID=optional-team-uuid # for team sync
Then use the cloud_sync_push and cloud_sync_pull tools to sync.
Usage
Via MCP tools (automatic)
Once registered, Claude Code can use the tools directly:
User: "Have I dealt with this ECONNREFUSED error before?"
Claude: [calls find_solutions with "ECONNREFUSED"]
→ Shows past solutions from your history
Via the /claude-history skill
/claude-history docker network error # General search
/claude-history --solutions ECONNREFUSED # Find past error fixes
/claude-history --summary # Summarize last session
/claude-history --patterns # Discover recurring patterns
/claude-history --context # Get full project context
/claude-history --projects # List all projects
Filter syntax
Queries support inline filters:
search_history("docker error project:ghostty after:7d")
search_history("authentication tool:Bash before:2024-06-01")
search_history("deployment project:myapp after:30d")
project:name— filter to a project (partial match)before:date/after:date— date filter (ISO or relative:7d,1w,1m,1y)tool:name— filter to sessions using a specific tool
Session-start hook
When you start a new Claude Code session, the hook automatically outputs:
[ClaudeHistory] Previous context for myproject:
- Last session (2 days ago): Fixed Docker networking — switched to host networking
- Key decision: Use systemd timer instead of cron for scheduling
- Solution found: CORS issue resolved by adding proxy config
Project structure
src/
index.ts # MCP server entry (stdio transport)
server.ts # Tool registration via McpServer + zod
config.ts # Paths, constants, defaults
parsers/
history-parser.ts # Parse ~/.claude/history.jsonl
session-parser.ts # Stream-parse session JSONL files
content-extractor.ts # Extract text from message content arrays
indexing/
index-manager.ts # Orchestrate indexing, persistence, incremental updates
bm25.ts # BM25 inverted index (Okapi BM25)
tfidf.ts # TF-IDF vectors + cosine similarity
tokenizer.ts # Tokenize, stem, stop words, bigrams
document-store.ts # Store indexed document chunks + metadata
search/
search-engine.ts # Hybrid search: BM25 + TF-IDF + RRF fusion
query-processor.ts # Parse query syntax (project:, before:, after:)
result-ranker.ts # Score fusion, recency/project boost, dedup
knowledge/
knowledge-store.ts # Persist extracted knowledge entries
session-summarizer.ts # Generate session summaries (heuristic, no LLM)
knowledge-extractor.ts # Extract decisions, solutions, error fixes
sync/
cloud-client.ts # HTTP client for ClaudeHistory Cloud API
sync-state.ts # Track last sync timestamps
watcher/
file-watcher.ts # Debounced fs.watch on conversation files
incremental-indexer.ts # Diff mtimes, re-index only changed files
tools/ # One file per MCP tool handler
hooks/
session-start-hook.ts # Auto-inject project context on session start
utils/
stemmer.ts # Inline Porter stemmer (no deps)
path-encoder.ts # Encode/decode Claude's project path format
cache.ts # LRU cache
cli/
build-index.ts # Build the full search index
install.ts # Install hook + skill
commands/
claude-history.md # /claude-history skill definition
tests/ # Unit + integration tests (82 tests)
Dependencies
Minimal — only 2 runtime dependencies:
@modelcontextprotocol/sdk— MCP protocolmsgpackr— efficient index serializationzod— schema validation (peer dep of MCP SDK)
Porter stemmer and stop words are implemented inline.
Development
npm run dev # Run with tsx (no build needed)
npm run build # Compile TypeScript
npm test # Run tests
npm run test:watch # Watch mode
npm run build-index # Rebuild the search index
License
MIT