A developer-friendly MCP framework powered by chuk_mcp
Project description
ChukMCPServer
The fastest, most developer-friendly MCP server framework for Python.
Build production-ready Model Context Protocol servers in minutes with decorator-based tools, zero-config deployment, and world-class performance.
from chuk_mcp_server import tool, run
@tool
def add(a: int, b: int) -> int:
"""Add two numbers together."""
return a + b
run() # That's it! Server running on stdio
⚡ Quick Start
Installation
# Basic installation
pip install chuk-mcp-server
# With optional features
pip install chuk-mcp-server[google_drive] # Google Drive OAuth
Your First Server (30 seconds)
Option 1: Use the scaffolder (recommended)
uvx chuk-mcp-server init my-server
cd my-server
uv run my-server
Option 2: Write it yourself (5 lines of code)
from chuk_mcp_server import tool, run
@tool
def greet(name: str) -> str:
"""Greet someone by name."""
return f"Hello, {name}!"
run()
Option 3: Add to Claude Desktop (instant integration)
uvx chuk-mcp-server init my-server --claude
# Automatically adds to claude_desktop_config.json
Use with Claude Desktop
Add to ~/Library/Application Support/Claude/claude_desktop_config.json:
{
"mcpServers": {
"my-server": {
"command": "uv",
"args": ["run", "my-server"]
}
}
}
Restart Claude Desktop - your tools are now available!
🚀 Why ChukMCPServer?
- 🏆 World-Class Performance: 36,000+ requests/second, <3ms overhead
- 📋 Full MCP 2025-11-25: Complete conformance with the latest MCP specification
- 🤖 Claude Desktop Ready: Zero-config stdio transport
- ⚡ Zero Configuration: Smart defaults detect everything automatically
- 🔐 OAuth 2.1 Built-In: Full OAuth support with
@requires_authdecorator - ☁️ Cloud Native: Auto-detects GCP, AWS, Azure, Vercel
- 🔒 Type Safe: Automatic schema generation from Python type hints
- 🏷️ Tool Annotations:
read_only_hint,destructive_hint,idempotent_hint,open_world_hint - 📊 Structured Output:
output_schemaon tools with typedstructuredContentresponses - 🎨 Icons: Icons on tools, resources, prompts, and server info
- 📦 Dual Transport: STDIO + Streamable HTTP (with GET SSE streams), both with bidirectional support
- 🧩 Full Protocol Surface: Sampling, elicitation, progress, roots, subscriptions, completions, tasks, cancellation
- 🛡️ Production Hardened: Rate limiting, request validation, graceful shutdown, thread safety, health probes
- 🧪 ToolRunner: Test tools without transport overhead
- 📄 OpenAPI: Auto-generated OpenAPI 3.1.0 spec at
/openapi.json
📚 Documentation
Full documentation available at: https://IBM.github.io/chuk-mcp-server/
- Getting Started Guide
- Building Tools
- OAuth Authentication
- Deployment Guide
- API Reference
- Examples & Tutorials
🎯 Core Features
Decorators for Everything
from chuk_mcp_server import tool, resource, resource_template, prompt, requires_auth
@tool(read_only_hint=True, idempotent_hint=True,
output_schema={"type": "object", "properties": {"result": {"type": "integer"}}})
def calculate(x: int, y: int) -> dict:
"""Perform calculations with structured output."""
return {"result": x + y}
@resource("config://settings",
icons=[{"uri": "https://example.com/gear.svg", "mimeType": "image/svg+xml"}])
def get_settings() -> dict:
"""Access configuration."""
return {"theme": "dark", "version": "1.0"}
@resource_template("users://{user_id}/profile")
def get_user_profile(user_id: str) -> dict:
"""Parameterized resource template (RFC 6570)."""
return {"user_id": user_id, "name": "Example User"}
@prompt
def code_review(code: str, language: str) -> str:
"""Generate code review prompt."""
return f"Review this {language} code:\n{code}"
@tool
@requires_auth()
async def publish_post(content: str, _external_access_token: str | None = None) -> dict:
"""OAuth-protected tool."""
# Token automatically injected and validated
...
HTTP Mode for Web Apps
from chuk_mcp_server import ChukMCPServer
mcp = ChukMCPServer(
name="my-api",
description="My production API server",
icons=[{"uri": "https://example.com/icon.png", "mimeType": "image/png"}],
website_url="https://example.com",
)
@mcp.tool
async def process_data(data: str) -> dict:
return {"processed": data}
mcp.run(host="0.0.0.0", port=8000) # HTTP server
MCP Apps — Rich UI Views in Claude.ai
Render interactive charts, maps, tables, and more directly in Claude.ai using MCP Apps structured content.
from chuk_mcp_server import ChukMCPServer
mcp = ChukMCPServer(name="my-view-server", version="1.0.0")
@mcp.tool(
name="show_chart",
description="Show sales data as a chart.",
meta={
"ui": {
"resourceUri": "ui://my-view-server/chart",
"viewUrl": "https://chuk-mcp-ui-views.fly.dev/chart/v1",
}
},
)
async def show_chart(chart_type: str = "bar") -> dict:
return {
"content": [{"type": "text", "text": "Sales chart."}],
"structuredContent": {
"type": "chart",
"version": "1.0",
"title": "Q1 Sales",
"chartType": chart_type,
"data": [{"label": "Revenue", "values": [
{"label": "Jan", "value": 4200},
{"label": "Feb", "value": 5100},
{"label": "Mar", "value": 4800},
]}],
},
}
mcp.run()
How it works:
meta.ui.resourceUri— aui://URI identifying the viewmeta.ui.viewUrl— HTTPS URL serving the view's HTML/JS bundle- The server automatically registers an MCP resource at the
resourceUrithat fetches the HTML fromviewUrl - The server automatically enables the
experimentalcapability - Claude.ai reads the HTML via
resources/read, renders it in an iframe, and passesstructuredContentas the data payload
See examples/mcp_apps_view_example.py for a complete example.
Cloud Deployment (Auto-Detection)
# Same code works everywhere - cloud platform auto-detected!
from chuk_mcp_server import tool, run
@tool
def my_tool(x: int) -> int:
return x * 2
run() # Automatically adapts to GCP, AWS, Azure, Vercel, etc.
Server Composition (Mix Local & Remote Tools)
Combine multiple MCP servers into one unified interface. Import tools from local Python modules or remote servers (STDIO/HTTP/SSE):
# config.yaml
composition:
import:
# Local Python module
- name: "echo"
type: "module"
module: "chuk_mcp_echo.server:echo_service"
prefix: "echo"
# Remote MCP server via STDIO
- name: "fetch"
type: "stdio"
command: "uvx"
args: ["mcp-server-fetch"]
prefix: "fetch"
# Remote MCP server via HTTP
- name: "weather"
type: "http"
url: "https://api.weather.com/mcp"
prefix: "weather"
from chuk_mcp_server import ChukMCPServer
mcp = ChukMCPServer("composed-server")
mcp.load_config("config.yaml")
mcp.run() # All tools available under unified namespaces
What you get:
- ✅ Module imports: Direct Python imports (fastest)
- ✅ STDIO proxy: Connect to subprocess servers (uvx, npx, python -m)
- ✅ HTTP proxy: Connect to remote HTTP MCP servers
- ✅ Built-in resilience: Automatic timeouts, retries, circuit breakers (via chuk-tool-processor)
- ✅ Unified namespace: Tools prefixed by source (e.g.,
fetch.fetch,echo.echo_text)
🏆 Performance
ChukMCPServer is built for high throughput:
- 36,348 RPS peak throughput (performance test)
- 39,261 RPS with max optimizations (ultra test)
- <3ms overhead per tool call
- 100% success rate under sustained load
See Performance Benchmarks for detailed results.
📖 Learn More
- Full Documentation - Complete guides and tutorials
- API Reference - Detailed API documentation
- Examples - Real-world examples
- GitHub - Source code and issues
- PyPI - Package distribution
Real-World Examples
- chuk-mcp-chart - Interactive chart server with MCP Apps views
- chuk-mcp-linkedin - LinkedIn OAuth integration
- chuk-mcp-stage - 3D scene management with Google Drive
🤝 Contributing
Contributions welcome! See Contributing Guide for details.
📄 License
Apache 2.0 License - see LICENSE file for details.
🔗 Links
- Documentation: https://IBM.github.io/chuk-mcp-server/
- PyPI Package: https://pypi.org/project/chuk-mcp-server/
- GitHub: https://github.com/IBM/chuk-mcp-server
- Issues: https://github.com/IBM/chuk-mcp-server/issues
- Model Context Protocol: https://modelcontextprotocol.io
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distribution
Filter files by name, interpreter, ABI, and platform.
If you're not sure about the file name format, learn more about wheel file names.
Copy a direct link to the current filters
File details
Details for the file chuk_mcp_server-0.25.3.tar.gz.
File metadata
- Download URL: chuk_mcp_server-0.25.3.tar.gz
- Upload date:
- Size: 731.3 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.1.0 CPython/3.12.2
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
e67874a120b93c4ef0d4bf12ac61f687d69a7eb267a745023bbe6ad3d89c8dac
|
|
| MD5 |
0ed2a51979cb36e6adeea3a5d6103603
|
|
| BLAKE2b-256 |
d515a91c0afab0ccd87e3de3a9990dc768afad03b658450bdff19c2b37176236
|
File details
Details for the file chuk_mcp_server-0.25.3-py3-none-any.whl.
File metadata
- Download URL: chuk_mcp_server-0.25.3-py3-none-any.whl
- Upload date:
- Size: 197.5 kB
- Tags: Python 3
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/6.1.0 CPython/3.12.2
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
1c3f53512f986dbe80f56f5b955f55f365da25fc6d42aefc4cda5866ae21cbb3
|
|
| MD5 |
582386846b65b3309020d6bad22df353
|
|
| BLAKE2b-256 |
a40b2013c8bdf39037095ddc106efbdda50f0f38ec7c97af24d31f416a339001
|