Semantic Cache MCP
Reduces token consumption by over 80% through intelligent file caching, returning only diffs for modified files and suppressing unchanged content. It features a suite of 12 tools for semantic search, batch reading, and efficient file editing to optimize LLM interactions with large codebases.
README
<p align="center"> <img src="assets/logo.svg" width="128" height="128" alt="Semantic Cache MCP Logo"> </p>
<h1 align="center">Semantic Cache MCP</h1>
<p align="center"> <a href="https://www.python.org/downloads/"><img src="https://img.shields.io/badge/python-3.12+-blue.svg" alt="Python 3.12+"></a> <a href="https://github.com/modelcontextprotocol/python-sdk"><img src="https://img.shields.io/badge/FastMCP-3.0-green.svg" alt="FastMCP 3.0"></a> <a href="LICENSE"><img src="https://img.shields.io/badge/License-MIT-yellow.svg" alt="License: MIT"></a> </p>
Reduce Claude Code token usage by 80%+ with intelligent file caching.
Semantic Cache MCP is a Model Context Protocol server that eliminates redundant token consumption when Claude reads files. Instead of sending full file contents on every request, it returns diffs for changed files, suppresses unchanged files entirely, and intelligently summarizes large files — all transparently through 12 purpose-built MCP tools.
Features
- 80%+ Token Reduction — Unchanged files cost ~0 tokens; changed files return diffs only
- Three-State Read Model — First read (full + cache), unchanged (message only, 99% savings), modified (diff, 80–95% savings)
- Semantic Search — Hybrid BM25 + HNSW vector search via local ONNX embeddings (configurable model, default BAAI/bge-small-en-v1.5), no API keys, works offline
- Batch Embedding —
batch_smart_readpre-scans all new/changed files and embeds them in a single model call (N calls → 1) - Content Hash Freshness — BLAKE3 hash detects when mtime changes but content is identical (touch, git checkout) — returns cached instead of re-reading
- Grep — Regex/literal pattern search across cached files with line numbers and context
- Semantic Summarization — 50–80% token savings on large files, structure preserved
- DoS Protection — Write size, edit size, and match count limits enforced at every boundary
Installation
Add to Claude Code settings (~/.claude/settings.json):
Option 1 — uvx (always runs latest version):
{
"mcpServers": {
"semantic-cache": {
"command": "uvx",
"args": ["semantic-cache-mcp"]
}
}
}
Option 2 — uv tool install:
uv tool install semantic-cache-mcp
{
"mcpServers": {
"semantic-cache": {
"command": "semantic-cache-mcp"
}
}
}
Restart Claude Code.
GPU Acceleration (Optional)
For NVIDIA GPU acceleration, install with the gpu extra:
uv tool install "semantic-cache-mcp[gpu]"
# or with uvx: uvx "semantic-cache-mcp[gpu]"
Then set EMBEDDING_DEVICE=gpu in your MCP config env block. Falls back to CPU automatically if CUDA is unavailable.
Custom Embedding Models
Any HuggingFace model with an ONNX export works — set EMBEDDING_MODEL in your env config:
"env": {
"EMBEDDING_MODEL": "nomic-ai/nomic-embed-text-v1.5"
}
If the model isn't in fastembed's built-in list, it's automatically downloaded and registered from HuggingFace Hub on first startup (ONNX file integrity is verified via SHA256). See env_variables.md for model recommendations.
Block Native File Tools (Recommended)
Disable the client's built-in file tools so all file I/O routes through semantic-cache.
Claude Code — add to ~/.claude/settings.json:
{
"permissions": {
"deny": ["Read", "Edit", "Write"]
}
}
OpenCode — add to ~/.config/opencode/opencode.json:
{
"$schema": "https://opencode.ai/config.json",
"permission": {
"read": "deny",
"edit": "deny",
"write": "deny"
}
}
CLAUDE.md Configuration
Add to ~/.claude/CLAUDE.md to enforce semantic-cache globally:
## Tools
- MUST use `semantic-cache-mcp` instead of native I/O tools (80%+ token savings)
Tools
Core
| Tool | Description |
|---|---|
read |
Smart file reading with diff-mode. Three states: first read (full + cache), unchanged (99% savings), modified (diff, 80–95% savings). Use offset/limit for line ranges. |
write |
Write files with cache integration. auto_format=true runs formatter. append=true enables chunked writes for large files. Returns diff on overwrite. |
edit |
Find/replace using cached reads — three modes: full-file, scoped to a line range, or direct line replacement. dry_run=true previews. replace_all=true handles multiple matches. Returns unified diff. |
batch_edit |
Up to 50 edits per call with partial success. Each entry can be find/replace, scoped, or line-range replacement. auto_format=true and dry_run=true supported. |
Discovery
| Tool | Description |
|---|---|
search |
Semantic/embedding search across cached files by meaning — not keywords. Seed cache first with read or batch_read. |
similar |
Finds semantically similar cached files to a given path. Start with k=3–5. Only searches cached files. |
glob |
Pattern matching with cache status per file. cached_only=true filters to already-cached files. Max 1000 matches, 5s timeout. |
batch_read |
Read 2+ files in one call. Supports glob expansion in paths, priority ordering, token budget, and per-file diff suppression for unchanged files. Pre-scans and batch-embeds all new/changed files in a single model call. Set diff_mode=false after context compression. |
grep |
Regex or literal pattern search across cached files with line numbers and optional context lines. Like ripgrep for the cache. |
diff |
Compare two files. Returns unified diff plus semantic similarity score. Large diffs are auto-summarized to stay within token budget. |
Management
| Tool | Description |
|---|---|
stats |
Cache metrics, session usage (tokens saved, tool calls), and lifetime aggregates. |
clear |
Reset all cache entries. |
Tool Reference
<details> <summary><strong>read</strong> — Single file with diff-mode</summary>
read path="/src/app.py"
read path="/src/app.py" diff_mode=true # default
read path="/src/app.py" diff_mode=false # full content (use after context compression)
read path="/src/app.py" offset=120 limit=80 # lines 120–199 only
Three states:
| State | Response | Token cost |
|---|---|---|
| First read | Full content + cached | Normal |
| Unchanged | "File unchanged (1,234 tokens cached)" |
~5 tokens |
| Modified | Unified diff only | 5–20% of original |
</details>
<details> <summary><strong>write</strong> — Create or overwrite files</summary>
write path="/src/new.py" content="..."
write path="/src/new.py" content="..." auto_format=true
write path="/src/large.py" content="...chunk1..." append=false # first chunk
write path="/src/large.py" content="...chunk2..." append=true # subsequent chunks
</details>
<details> <summary><strong>edit</strong> — Find/replace with three modes</summary>
# Mode A — find/replace: searches entire file
edit path="/src/app.py" old_string="def foo():" new_string="def foo(x: int):"
edit path="/src/app.py" old_string="..." new_string="..." replace_all=true auto_format=true
# Mode B — scoped find/replace: search only within line range (shorter old_string suffices)
edit path="/src/app.py" old_string="pass" new_string="return x" start_line=42 end_line=42
# Mode C — line replace: replace entire range, no old_string needed (maximum token savings)
edit path="/src/app.py" new_string=" return result\n" start_line=80 end_line=83
Mode selection:
| Mode | Parameters | Best for |
|---|---|---|
| Find/replace | old_string + new_string |
Unique strings, no line numbers known |
| Scoped | old_string + new_string + start_line/end_line |
Shorter context when read gave you line numbers |
| Line replace | new_string + start_line/end_line (no old_string) |
Maximum token savings when line numbers are known |
</details>
<details> <summary><strong>batch_edit</strong> — Multiple edits in one call</summary>
# Mode A — find/replace: [old, new]
batch_edit path="/src/app.py" edits='[["old1","new1"],["old2","new2"]]'
# Mode B — scoped: [old, new, start_line, end_line]
batch_edit path="/src/app.py" edits='[["pass","return x",42,42]]'
# Mode C — line replace: [null, new, start_line, end_line]
batch_edit path="/src/app.py" edits='[[null," return result\n",80,83]]'
# Mixed modes in one call (object syntax also supported)
batch_edit path="/src/app.py" edits='[
["old1", "new1"],
{"old": "pass", "new": "return x", "start_line": 42, "end_line": 42},
{"old": null, "new": " return result\n", "start_line": 80, "end_line": 83}
]' auto_format=true
</details>
<details> <summary><strong>search</strong> — Semantic search across cached files</summary>
search query="authentication middleware logic" k=5
search query="database connection pooling" k=3
</details>
<details> <summary><strong>similar</strong> — Find semantically related files</summary>
similar path="/src/auth.py" k=3
similar path="/tests/test_auth.py" k=5
</details>
<details> <summary><strong>glob</strong> — Pattern matching with cache awareness</summary>
glob pattern="**/*.py" directory="./src"
glob pattern="**/*.py" directory="./src" cached_only=true
</details>
<details> <summary><strong>batch_read</strong> — Multiple files with token budget</summary>
batch_read paths="/src/a.py,/src/b.py" max_total_tokens=50000
batch_read paths='["/src/a.py","/src/b.py"]' diff_mode=true priority="/src/main.py"
batch_read paths="/src/*.py" max_total_tokens=30000 diff_mode=false
- Glob expansion:
src/*.pyexpanded inline (max 50 files per glob) - Priority ordering:
prioritypaths read first, remainder sorted smallest-first - Token budget: stops reading new files once
max_total_tokensreached; skipped files includeest_tokenshint - Unchanged suppression: unchanged files appear in
summary.unchangedwith no content (zero tokens) - Batch embedding: pre-scans all new/changed files and embeds them in a single model call before reading — N model calls reduced to 1
- Context compression recovery: set
diff_mode=falsewhen Claude needs full content after losing context
</details>
<details> <summary><strong>diff</strong> — Compare two files</summary>
diff path1="/src/v1.py" path2="/src/v2.py"
</details>
Configuration
Environment Variables
| Variable | Default | Description |
|---|---|---|
LOG_LEVEL |
INFO |
Logging verbosity (DEBUG, INFO, WARNING, ERROR) |
TOOL_OUTPUT_MODE |
compact |
Response detail (compact, normal, debug) |
TOOL_MAX_RESPONSE_TOKENS |
0 |
Global response token cap (0 = disabled) |
MAX_CONTENT_SIZE |
100000 |
Max bytes returned by read operations |
MAX_CACHE_ENTRIES |
10000 |
Max cache entries before LRU-K eviction |
EMBEDDING_DEVICE |
cpu |
Embedding hardware: cpu, cuda (GPU), auto (detect) |
EMBEDDING_MODEL |
BAAI/bge-small-en-v1.5 |
FastEmbed model for search/similarity (options) |
SEMANTIC_CACHE_DIR |
(platform) | Override cache/database directory path |
See docs/env_variables.md for detailed descriptions, model selection guidance, and examples.
Safety Limits
| Limit | Value | Protects Against |
|---|---|---|
MAX_WRITE_SIZE |
10 MB | Memory exhaustion via large writes |
MAX_EDIT_SIZE |
10 MB | Memory exhaustion via large file edits |
MAX_MATCHES |
10,000 | CPU exhaustion via unbounded replace_all |
MCP Server Config
{
"mcpServers": {
"semantic-cache": {
"command": "uvx",
"args": ["semantic-cache-mcp"],
"env": {
"LOG_LEVEL": "INFO",
"TOOL_OUTPUT_MODE": "compact",
"MAX_CONTENT_SIZE": "100000",
"EMBEDDING_DEVICE": "cpu",
"EMBEDDING_MODEL": "BAAI/bge-small-en-v1.5"
}
}
}
}
Cache location: ~/.cache/semantic-cache-mcp/ (Linux), ~/Library/Caches/semantic-cache-mcp/ (macOS), %LOCALAPPDATA%\semantic-cache-mcp\ (Windows). Override with SEMANTIC_CACHE_DIR.
How It Works
┌─────────────┐ ┌──────────────┐ ┌──────────────────┐
│ Claude │────▶│ smart_read │────▶│ Cache Lookup │
│ Code │ │ │ │ (VectorStorage) │
└─────────────┘ └──────────────┘ └──────────────────┘
│
┌─────────────────┼─────────────────┐
▼ ▼ ▼
┌──────────┐ ┌──────────┐ ┌──────────────┐
│Unchanged │ │ Changed │ │ New / Large │
│ ~0 tok │ │ diff │ │ summarize or │
│ (99%) │ │ (80-95%) │ │ full content │
└──────────┘ └──────────┘ └──────────────┘
Performance
Measured on this project's 30 source files (~136K tokens). Benchmarks run on a standard dev machine (CPU embeddings).
Token Savings
| Phase | Scenario | Savings |
|---|---|---|
| Cold read | First read, no cache | 0% (baseline) |
| Unchanged re-read | Same files, no modifications | 99.1% |
| Content hash | Touch files (mtime changed, content identical) | 99.1% |
| Small edits | ~5% of lines changed in 30% of files | 98.1% |
| Batch read | All files via batch_read |
99.1% |
| Search | 5 queries × k=5, previews vs full reads | 98.4% |
| Overall (cached) | Phases 2–6 combined | 98.8% |
Operation Latency
| Operation | Time |
|---|---|
| Unchanged read (single file) | 2 ms |
| Unchanged re-read (29 files) | 25 ms |
| Batch read (29 files, diff mode) | 35 ms |
| Cold read (29 files, incl. embed) | 2,554 ms |
| Write (200-line file) | 47 ms |
| Edit (scoped find/replace) | 48 ms |
| Semantic search (k=5) | 4 ms |
| Semantic search (k=10) | 5 ms |
| Find similar (k=3) | 49 ms |
| Grep (literal) | 1 ms |
| Grep (regex) | 2 ms |
| Embedding model warmup | 206 ms |
| Single embedding (largest file) | 47 ms |
| Batch embedding (10 files) | 469 ms |
Run benchmarks yourself:
uv run python benchmarks/benchmark_token_savings.py # token savings
uv run python benchmarks/benchmark_performance.py # operation latency
See docs/performance.md for full benchmarks and methodology.
Documentation
| Guide | Description |
|---|---|
| Architecture | Component design, algorithms, data flow |
| Performance | Optimization techniques, benchmarks |
| Security | Threat model, input validation, size limits |
| Advanced Usage | Programmatic API, custom storage backends |
| Troubleshooting | Common issues, debug logging |
| Environment Variables | All configurable env vars with defaults and examples |
Contributing
git clone https://github.com/CoderDayton/semantic-cache-mcp.git
cd semantic-cache-mcp
uv sync
uv run pytest
See CONTRIBUTING.md for commit conventions, pre-commit hooks, and code standards.
License
MIT License — use freely in personal and commercial projects.
Credits
Built with FastMCP 3.0 and:
- FastEmbed — local ONNX embeddings (configurable, default BAAI/bge-small-en-v1.5)
- SimpleVecDB — HNSW vector storage with FTS5 keyword search
- Semantic summarization based on TCRA-LLM (arXiv:2310.15556)
- BLAKE3 cryptographic hashing for content freshness
- LRU-K frequency-aware cache eviction
推荐服务器
Baidu Map
百度地图核心API现已全面兼容MCP协议,是国内首家兼容MCP协议的地图服务商。
Playwright MCP Server
一个模型上下文协议服务器,它使大型语言模型能够通过结构化的可访问性快照与网页进行交互,而无需视觉模型或屏幕截图。
Magic Component Platform (MCP)
一个由人工智能驱动的工具,可以从自然语言描述生成现代化的用户界面组件,并与流行的集成开发环境(IDE)集成,从而简化用户界面开发流程。
Audiense Insights MCP Server
通过模型上下文协议启用与 Audiense Insights 账户的交互,从而促进营销洞察和受众数据的提取和分析,包括人口统计信息、行为和影响者互动。
VeyraX
一个单一的 MCP 工具,连接你所有喜爱的工具:Gmail、日历以及其他 40 多个工具。
graphlit-mcp-server
模型上下文协议 (MCP) 服务器实现了 MCP 客户端与 Graphlit 服务之间的集成。 除了网络爬取之外,还可以将任何内容(从 Slack 到 Gmail 再到播客订阅源)导入到 Graphlit 项目中,然后从 MCP 客户端检索相关内容。
Kagi MCP Server
一个 MCP 服务器,集成了 Kagi 搜索功能和 Claude AI,使 Claude 能够在回答需要最新信息的问题时执行实时网络搜索。
e2b-mcp-server
使用 MCP 通过 e2b 运行代码。
Neon MCP Server
用于与 Neon 管理 API 和数据库交互的 MCP 服务器
Exa MCP Server
模型上下文协议(MCP)服务器允许像 Claude 这样的 AI 助手使用 Exa AI 搜索 API 进行网络搜索。这种设置允许 AI 模型以安全和受控的方式获取实时的网络信息。