Obsidian MCP Server

Obsidian MCP Server

Enables AI assistants to interact with Obsidian vaults through vector search, vault indexing, and file monitoring. It provides a standardized interface for searching and managing markdown-based personal knowledge management data within the Model Context Protocol.

Category
访问服务器

README

Obsidian MCP Server

Provides real-time Claude AI access to Obsidian vaults via Model Context Protocol (MCP)

Overview

This MCP server enables Claude to query, search, and read notes from Obsidian vaults without token limitations. Unlike Claude Projects which load all documents into context, this server provides dynamic, on-demand access to your knowledge base.

Features

  • Real-time Vault Access: Query and read notes dynamically without pre-uploading
  • Automatic Index Updates: File system watcher automatically updates vector index when notes change (v1.3.0)
  • Vector Search: Semantic search using local embeddings (Transformers.js) or Anthropic API
  • Hybrid Search: Combines keyword and semantic search for optimal results
  • Write Operations: Create, update, and delete notes programmatically
  • Search Tools: Keyword, tag, and folder-based filtering
  • Multiple Formats: JSON and Markdown response formats
  • Secure: Path validation and security checks prevent unauthorized access
  • Token Efficient: No vault size limitations or token constraints

Quick Start

Prerequisites

  • Node.js 18+ (recommended: 20+)
  • TypeScript 5.7+
  • Obsidian vault with markdown notes
  • Claude Desktop or MCP-compatible client

Installation

Windows (PowerShell):

# 1. Clone or navigate to repository
cd /path/to/obsidian-mcp-server

# 2. Install dependencies
npm install

# 3. Build TypeScript
npm run build

# 4. Verify build succeeded
Test-Path dist\index.js  # Should return True

macOS/Linux (Bash):

# 1. Clone or navigate to repository
cd ~/obsidian-mcp-server

# 2. Install dependencies
npm install

# 3. Build TypeScript
npm run build

# 4. Verify build succeeded
ls dist/index.js  # Should exist

Configuration

Option 1: Environment Variable (Recommended)

Windows (PowerShell):

# Set vault path (replace with your vault location)
$env:OBSIDIAN_VAULT_PATH = "C:\Users\YourName\Documents\ObsidianVault"

# Test server
node dist\index.js

macOS/Linux (Bash):

# Set vault path (replace with your vault location)
export OBSIDIAN_VAULT_PATH="/Users/YourName/Documents/ObsidianVault"

# Test server
node dist/index.js

Option 2: Configuration File

Create config.json in the project root:

{
  "includePatterns": ["**/*.md"],
  "excludePatterns": [".obsidian/**", ".trash/**", "node_modules/**"],
  "enableWrite": true,
  "vectorSearch": {
    "enabled": true,
    "provider": "transformers",
    "model": "Xenova/all-MiniLM-L6-v2",
    "indexOnStartup": "auto"
  },
  "searchOptions": {
    "maxResults": 20,
    "excerptLength": 200,
    "caseSensitive": false,
    "includeMetadata": true
  },
  "logging": {
    "level": "info",
    "file": "logs/mcp-server.log"
  }
}

Choosing the Right Embedding Model:

The default model (Xenova/all-MiniLM-L6-v2) works well for most users. Consider upgrading based on your hardware:

  • High-end CPU (Ryzen 9+, i9+, M3 Max+): Use Xenova/bge-base-en-v1.5 for best quality
  • Mid-range CPU (Ryzen 5-7, i5-i7, M2): Use Xenova/bge-small-en-v1.5 for improved quality
  • Multilingual vault: Use Xenova/paraphrase-multilingual-MiniLM-L12-v2

See Semantic Search Guide for detailed model comparison.

Initial Indexing (Required for Large Vaults)

Important: For vaults with 1,000+ notes or when switching embedding models, run initial indexing standalone before using Claude Desktop.

Quick Start:

# Windows
$env:OBSIDIAN_VAULT_PATH = "X:\Path\To\Your\Vault"
$env:OBSIDIAN_CONFIG_PATH = "D:\repos\obsidian-mcp-server\config.json"
node --expose-gc --max-old-space-size=16384 dist\index.js
# macOS/Linux
export OBSIDIAN_VAULT_PATH="/path/to/vault"
export OBSIDIAN_CONFIG_PATH="$HOME/obsidian-mcp-server/config.json"
node --expose-gc --max-old-space-size=16384 dist/index.js

After indexing completes, configure Claude Desktop (see below) for daily usage.

📚 See Indexing Workflow Guide for detailed instructions, troubleshooting, and model switching procedures.

Claude Desktop Integration

Windows

Edit Claude Desktop configuration:

# Config location: %APPDATA%\Claude\claude_desktop_config.json
notepad "$env:APPDATA\Claude\claude_desktop_config.json"

Add this configuration:

{
  "mcpServers": {
    "obsidian": {
      "command": "node",
      "args": ["/path/to/obsidian-mcp-server/dist/index.js"],
      "env": {
        "OBSIDIAN_VAULT_PATH": "C:\\Users\\YourName\\Documents\\ObsidianVault"
      }
    }
  }
}

macOS

Edit Claude Desktop configuration:

# Config location: ~/Library/Application Support/Claude/claude_desktop_config.json
vi ~/Library/Application\ Support/Claude/claude_desktop_config.json

Add this configuration:

{
  "mcpServers": {
    "obsidian": {
      "command": "node",
      "args": ["/path/to/obsidian-mcp/dist/index.js"],
      "env": {
        "OBSIDIAN_VAULT_PATH": "/path/to/your/vault"
      }
    }
  }
}

Restart Claude Desktop

After configuration, completely quit and restart Claude Desktop for changes to take effect.

Documentation

Usage

In Claude Conversations

Once configured, Claude can automatically access your vault:

User: "Search my vault for notes about Python debugging"

Claude will use: obsidian_search_vault(query="Python debugging")
Returns: Matching notes with excerpts and URIs

User: "Show me the full Getting-Started note"

Claude will read: obsidian://vault/Guides/Getting-Started.md
Returns: Complete note content

Available Tools

obsidian_search_vault

Search vault by keywords, tags, or folders.

Parameters:

  • query (required): Search keywords (space-separated)
  • tags (optional): Filter by tags (must have ALL)
  • folders (optional): Limit to specific folders
  • limit (optional): Max results (1-100, default: 20)
  • offset (optional): Pagination offset (default: 0)
  • response_format (optional): "markdown" or "json" (default: "markdown")

Examples:

// Find notes about a specific topic
obsidian_search_vault((query = "JavaScript testing"));

// Find active project notes
obsidian_search_vault(
  (query = "project"),
  (tags = ["active"]),
  (folders = ["Projects"])
);

obsidian_semantic_search

Search vault using semantic similarity (meaning-based) instead of keyword matching.

Parameters:

  • query (required): Natural language query (1-500 chars)
  • limit (optional): Max results (1-50, default: 10)
  • min_score (optional): Similarity threshold (0-1, default: 0.5)
  • hybrid (optional): Combine with keyword search (default: false)
  • response_format (optional): "markdown" or "json" (default: "markdown")

Examples:

// Find conceptually related notes
obsidian_semantic_search((query = "machine learning ethics"));

// Hybrid search (semantic + keyword)
obsidian_semantic_search(
  (query = "web development best practices"),
  (hybrid = true),
  (limit = 15)
);

obsidian_create_note

Create a new note in the vault.

Parameters:

  • path (required): Relative path for new note (e.g., "Projects/NewNote.md")
  • content (required): Note content (markdown)
  • frontmatter (optional): YAML frontmatter object

obsidian_update_note

Update an existing note's content or frontmatter.

Parameters:

  • path (required): Relative path to note
  • content (optional): New content (replaces existing)
  • frontmatter (optional): New frontmatter (merges with existing)
  • append (optional): Append content instead of replace (default: false)

obsidian_delete_note

Delete a note from the vault.

Parameters:

  • path (required): Relative path to note
  • confirm (required): Must be true to confirm deletion

Available Resources

Every note in your vault is exposed as a resource with URI:

obsidian://vault/[relative-path]

Claude can list all available notes and read specific notes by URI.

Architecture

Design Philosophy

This server uses a search-tool-only approach rather than pre-registering thousands of individual resources:

  • Efficient: Claude uses obsidian_search_vault to find notes dynamically
  • Scalable: Works with vaults of any size (tested with 5,000+ notes)
  • Fast: No startup delay from resource registration
  • MCP-compliant: Follows best practices for large datasets

Claude discovers notes through search, receives obsidian://vault/ URIs, and can then read specific notes on demand.

Component Diagram

graph LR
    A[Claude AI] -->|MCP Protocol| B[MCP Server]
    B -->|stdio| A
    B --> C[Vault Manager]
    C --> D[Search Engine]
    C --> E[File Reader]
    D --> F[Obsidian Vault]
    E --> F

Components

  • index.ts - Server initialization and transport setup
  • obsidian-server.ts - MCP request handlers (resources, tools)
  • search.ts - Search engine with scoring and filtering
  • utils.ts - Configuration, file operations, security

Security

Path Validation

All file paths are validated to prevent directory traversal attacks:

// Checks that requested path is within vault boundaries
if (!isPathSafe(notePath, vaultPath)) {
  throw new Error("Access denied: path outside vault");
}

Read-Only Mode

By default, server is read-only. To enable write operations (future feature):

{
  "enableWrite": true
}

Input Sanitization

  • Zod schemas validate all tool inputs
  • Path normalization prevents Windows/Unix path issues
  • Query limits prevent resource exhaustion (max 500 chars)

Development

Build

npm run build

Development Mode (Hot Reload)

npm run dev

Linting

npm run lint
npm run format

Testing

npm test

Troubleshooting

Server Not Starting

Check vault path:

# Windows
Test-Path "C:\Users\YourName\Documents\ObsidianVault"  # Should return True
# macOS/Linux
ls -la ~/Documents/ObsidianVault  # Should show folder contents

Check build output:

# Windows
Test-Path .\dist\index.js  # Should return True
# macOS/Linux
ls dist/index.js  # Should exist

View error logs:

# All platforms
node dist/index.js

Claude Not Finding Server

  1. Verify config file location:

    • Windows: %APPDATA%\Claude\claude_desktop_config.json
    • macOS: ~/Library/Application Support/Claude/claude_desktop_config.json
  2. Check JSON syntax: Use a JSON validator

  3. Restart Claude Desktop completely (don't just close window)

  4. Check Claude logs:

    • Windows: %APPDATA%\Claude\logs\
    • macOS: ~/Library/Logs/Claude/

Search Returns No Results

  • Check exclude patterns - Your notes might be excluded
  • Verify file extension - Only .md files are indexed
  • Check query terms - Try broader terms

Permission Errors

Ensure your user has read access to:

  • Vault directory
  • All subdirectories
  • All .md files

Configuration Options

Full configuration schema:

{
```typescript
{
  // Note: vaultPath is set via OBSIDIAN_VAULT_PATH env variable
  includePatterns: string[];      // Glob patterns to include
  excludePatterns: string[];      // Glob patterns to exclude
  enableWrite: boolean;           // Enable write operations
  vectorSearch?: {                // Optional vector search config
    enabled: boolean;             // Enable semantic search
    provider: "transformers";     // Embedding provider
    model?: string;               // Model name (default: Xenova/all-MiniLM-L6-v2)
    indexOnStartup: "auto" | "always" | "never" | boolean;  // Smart indexing (default: "auto")
  };
  searchOptions: {
    maxResults: number;           // Max search results (default: 20)
    excerptLength: number;        // Excerpt length (default: 200)
    caseSensitive: boolean;       // Case-sensitive search (default: false)
    includeMetadata: boolean;     // Include frontmatter (default: true)
  };
  logging: {
    level: string;                // Log level (default: "info")
    file: string;                 // Log file path
  };
}

Performance

Optimization Strategies

  • Lazy loading - Only reads files when requested
  • Pagination - Limits search results
  • Character limits - Truncates large responses
  • Exclude patterns - Skips unnecessary files

Recommended Limits

  • Vault size: < 10,000 notes
  • Search results: < 100 per query
  • File size: < 10MB per note

Future Enhancements

  • Indexing - Pre-build search index for faster queries
  • Caching - Cache frontmatter and metadata
  • Vector search - Semantic similarity search
  • Watch mode - Real-time file system monitoring

MCP Protocol Compliance

This server follows MCP best practices:

  • ✅ Zod input validation
  • ✅ Tool annotations (readOnlyHint, destructiveHint, etc.)
  • ✅ Multiple response formats (JSON/Markdown)
  • ✅ Character limits (25k) with truncation
  • ✅ Proper error handling
  • ✅ Pagination support
  • ✅ Security validation
  • ✅ Descriptive tool documentation
  • ✅ Search-tool pattern for large datasets

Changelog

v1.4.0 (December 2025) - Parallel Batch Processing & Smart Auto-Indexing

Performance Improvements:

  • 🚀 10x faster indexing: Parallel batch processing with Promise.all (10 concurrent embeddings)
  • 65x speedup: 5,681 notes indexed in 5.5 minutes (down from 6+ hours)
  • 💾 Robust checkpoints: Proper Vectra transaction management (beginUpdate/endUpdate)
  • 🔧 Memory optimized: Explicit GC at checkpoints, pipeline refresh every 500 notes
  • 📊 Production tested: Successfully indexed 5,681/6,056 notes (93.8% coverage)

New Features:

  • Smart indexOnStartup modes: "auto" (smart detection), "always", "never"
  • Automatic model change detection: No manual config toggling when switching models
  • Index validation: Detects missing, corrupted, or incompatible indexes
  • Model metadata storage: Stores model info in index for validation
  • Seamless model switching: Just change model in config and restart - auto re-indexes

Bug Fixes:

  • Fixed checkpoint persistence: Vectra index now properly flushed to disk at checkpoints
  • Eliminated index loss: Transaction management prevents progress loss on crashes
  • Type safety: Fixed batch processing parameter types for NoteMetadata

Breaking Changes:

  • ⚠️ indexOnStartup enhanced: Now accepts string values ("auto", "always", "never") in addition to boolean (backwards compatible)
  • ⚠️ Default changed: indexOnStartup now defaults to "auto" instead of false

Migration:

  • Old config with true/false still works (mapped to "always"/"never")
  • Recommended: Update to "auto" for best experience
  • Delete old indexes: If you have incomplete indexes from v1.3, delete .mcp-vector-store/ and let v1.4 rebuild with parallel processing

v1.3.0 (October 2025) - Automatic Index Updates

New Features:

  • Automatic file watching: Real-time vector index updates when notes change (chokidar)
  • Debounced re-indexing: Smart 2-second delay prevents excessive rebuilds
  • Seamless integration: No manual re-indexing required

Breaking Changes:

  • ⚠️ Config property renamed: autoIndexindexOnStartup (better reflects that it only controls initial indexing on server startup, not the automatic file watching)

v1.2.0 (October 2025) - Vector Search & Write Operations

New Features:

  • Semantic search with vector embeddings (Transformers.js)
  • Write operations: Create, update, and delete notes
  • Hybrid search: Combine semantic and keyword search (60/40 weighting)
  • Incremental indexing: Track file modifications for efficient updates
  • Local embeddings: Privacy-first with Xenova/all-MiniLM-L6-v2 model

Bug Fixes:

  • ✅ Fixed config.json loading to use script directory instead of CWD
  • ✅ Fixed tags handling for non-array frontmatter tags
  • ✅ Improved error handling for malformed YAML frontmatter

Performance:

  • ✅ Tested with 5,457 note vault (5,456 indexed successfully)
  • ✅ Fast startup with optional auto-indexing
  • ✅ Vectra-based local vector store (no external server required)

v1.0.0 (January 2025) - Production Release

Architecture:

  • ✅ Search-tool-only design (no resource pre-registration)
  • ✅ Fast startup (< 1 second)
  • ✅ Scalable to vaults of any size

Security:

  • ✅ Updated all dependencies (0 vulnerabilities)
  • ✅ ESLint 9.17.0, Rimraf 6.0.1, TypeScript-ESLint 8.18.2
  • ✅ Eliminated deprecated packages with memory leak risks

MCP SDK:

  • ✅ Migrated to MCP SDK 1.20+ API
  • ✅ Updated from old registerResourceList/registerResource methods
  • ✅ Clean TypeScript compilation (0 errors)

Testing:

  • ✅ Verified with 5,453 note vault
  • ✅ Tested on Windows 11 with Node.js 25.0.0
  • ✅ Confirmed Claude Desktop integration

License

MIT License - See LICENSE file for details

Contributing

Contributions welcome! Please:

  1. Follow existing code style
  2. Add tests for new features
  3. Update documentation
  4. Follow MCP best practices

References


Built with ❤️ for the Obsidian + Claude community

推荐服务器

Baidu Map

Baidu Map

百度地图核心API现已全面兼容MCP协议,是国内首家兼容MCP协议的地图服务商。

官方
精选
JavaScript
Playwright MCP Server

Playwright MCP Server

一个模型上下文协议服务器,它使大型语言模型能够通过结构化的可访问性快照与网页进行交互,而无需视觉模型或屏幕截图。

官方
精选
TypeScript
Magic Component Platform (MCP)

Magic Component Platform (MCP)

一个由人工智能驱动的工具,可以从自然语言描述生成现代化的用户界面组件,并与流行的集成开发环境(IDE)集成,从而简化用户界面开发流程。

官方
精选
本地
TypeScript
Audiense Insights MCP Server

Audiense Insights MCP Server

通过模型上下文协议启用与 Audiense Insights 账户的交互,从而促进营销洞察和受众数据的提取和分析,包括人口统计信息、行为和影响者互动。

官方
精选
本地
TypeScript
VeyraX

VeyraX

一个单一的 MCP 工具,连接你所有喜爱的工具:Gmail、日历以及其他 40 多个工具。

官方
精选
本地
graphlit-mcp-server

graphlit-mcp-server

模型上下文协议 (MCP) 服务器实现了 MCP 客户端与 Graphlit 服务之间的集成。 除了网络爬取之外,还可以将任何内容(从 Slack 到 Gmail 再到播客订阅源)导入到 Graphlit 项目中,然后从 MCP 客户端检索相关内容。

官方
精选
TypeScript
Kagi MCP Server

Kagi MCP Server

一个 MCP 服务器,集成了 Kagi 搜索功能和 Claude AI,使 Claude 能够在回答需要最新信息的问题时执行实时网络搜索。

官方
精选
Python
e2b-mcp-server

e2b-mcp-server

使用 MCP 通过 e2b 运行代码。

官方
精选
Neon MCP Server

Neon MCP Server

用于与 Neon 管理 API 和数据库交互的 MCP 服务器

官方
精选
Exa MCP Server

Exa MCP Server

模型上下文协议(MCP)服务器允许像 Claude 这样的 AI 助手使用 Exa AI 搜索 API 进行网络搜索。这种设置允许 AI 模型以安全和受控的方式获取实时的网络信息。

官方
精选