MCP Middleware
Add cross-cutting functionality to your MCP server with middleware that can inspect, modify, and respond to all MCP requests and responses.
New in version: 2.9.0
MCP middleware is a powerful concept that allows you to add cross-cutting functionality to your FastMCP server. Unlike traditional web middleware, MCP middleware is designed specifically for the Model Context Protocol, providing hooks for different types of MCP operations like tool calls, resource reads, and prompt requests.
MCP middleware is a FastMCP-specific concept and is not part of the official MCP protocol specification. This middleware system is designed to work with FastMCP servers and may not be compatible with other MCP implementations.
MCP middleware is a brand new concept and may be subject to breaking changes in future versions.
What is MCP Middleware?
MCP middleware lets you intercept and modify MCP requests and responses as they flow through your server. Think of it as a pipeline where each piece of middleware can inspect what’s happening, make changes, and then pass control to the next middleware in the chain.
Common use cases for MCP middleware include:
- Authentication and Authorization: Verify client permissions before executing operations
- Logging and Monitoring: Track usage patterns and performance metrics
- Rate Limiting: Control request frequency per client or operation type
- Request/Response Transformation: Modify data before it reaches tools or after it leaves
- Caching: Store frequently requested data to improve performance
- Error Handling: Provide consistent error responses across your server
How Middleware Works
FastMCP middleware operates on a pipeline model. When a request comes in, it flows through your middleware in the order they were added to the server. Each middleware can:
- Inspect the incoming request and its context
- Modify the request before passing it to the next middleware or handler
- Execute the next middleware/handler in the chain by calling
call_next()
- Inspect and modify the response before returning it
- Handle errors that occur during processing
The key insight is that middleware forms a chain where each piece decides whether to continue processing or stop the chain entirely.
If you’re familiar with ASGI middleware, the basic structure of FastMCP middleware will feel familiar. At its core, middleware is a callable class that receives a context object containing information about the current JSON-RPC message and a handler function to continue the middleware chain.
It’s important to understand that MCP operates on the JSON-RPC specification. While FastMCP presents requests and responses in a familiar way, these are fundamentally JSON-RPC messages, not HTTP request/response pairs like you might be used to in web applications. FastMCP middleware works with all transport types, including local stdio transport and HTTP transports, though not all middleware implementations are compatible across all transports (e.g., middleware that inspects HTTP headers won’t work with stdio transport).
The most fundamental way to implement middleware is by overriding the __call__
method on the Middleware
base class:
This gives you complete control over every message that flows through your server, but requires you to handle all message types manually.
Middleware Hooks
To make it easier for users to target specific types of messages, FastMCP middleware provides a variety of specialized hooks. Instead of implementing the raw __call__
method, you can override specific hook methods that are called only for certain types of operations, allowing you to target exactly the level of specificity you need for your middleware logic.
Hook Hierarchy and Execution Order
FastMCP provides multiple hooks that are called with varying levels of specificity. Understanding this hierarchy is crucial for effective middleware design.
When a request comes in, multiple hooks may be called for the same request, going from general to specific:
on_message
- Called for ALL MCP messages (both requests and notifications)on_request
oron_notification
- Called based on the message type- Operation-specific hooks - Called for specific MCP operations like
on_call_tool
For example, when a client calls a tool, your middleware will receive three separate hook calls:
- First:
on_message
(because it’s any MCP message) - Second:
on_request
(because tool calls expect responses) - Third:
on_call_tool
(because it’s specifically a tool execution)
This hierarchy allows you to target your middleware logic with the right level of specificity. Use on_message
for broad concerns like logging, on_request
for authentication, and on_call_tool
for tool-specific logic like performance monitoring.
Available Hooks
on_message
: Called for all MCP messages (requests and notifications)on_request
: Called specifically for MCP requests (that expect responses)on_notification
: Called specifically for MCP notifications (fire-and-forget)on_call_tool
: Called when tools are being executedon_read_resource
: Called when resources are being readon_get_prompt
: Called when prompts are being retrievedon_list_tools
: Called when listing available toolson_list_resources
: Called when listing available resourceson_list_resource_templates
: Called when listing resource templateson_list_prompts
: Called when listing available prompts
Component Access in Middleware
Understanding how to access component information (tools, resources, prompts) in middleware is crucial for building powerful middleware functionality. The access patterns differ significantly between listing operations and execution operations.
Listing Operations vs Execution Operations
FastMCP middleware handles two types of operations differently:
Listing Operations (on_list_tools
, on_list_resources
, on_list_prompts
, etc.):
- Middleware receives FastMCP component objects with full metadata
- These objects include FastMCP-specific properties like
tags
that aren’t part of the MCP specification - The result contains complete component information before it’s converted to MCP format
- Tags and other metadata are stripped when finally returned to the MCP client
Execution Operations (on_call_tool
, on_read_resource
, on_get_prompt
):
- Middleware runs before the component is executed
- The middleware result is either the execution result or an error if the component wasn’t found
- Component metadata isn’t directly available in the hook parameters
Accessing Component Metadata During Execution
If you need to check component properties (like tags) during execution operations, use the FastMCP server instance available through the context:
The same pattern works for resources and prompts:
Working with Listing Results
For listing operations, you can inspect and modify the FastMCP components directly:
This filtering happens before the components are converted to MCP format and returned to the client, so the tags (which are FastMCP-specific) are naturally stripped in the final response.
Anatomy of a Hook
Every middleware hook follows the same pattern. Let’s examine the on_message
hook to understand the structure:
Hook Parameters
Every hook receives two parameters:
-
context: MiddlewareContext
- Contains information about the current request:context.method
- The MCP method name (e.g., “tools/call”)context.source
- Where the request came from (“client” or “server”)context.type
- Message type (“request” or “notification”)context.message
- The MCP message datacontext.timestamp
- When the request was receivedcontext.fastmcp_context
- FastMCP Context object (if available)
-
call_next
- A function that continues the middleware chain. You must call this to proceed, unless you want to stop processing entirely.
Control Flow
You have complete control over the request flow:
- Continue processing: Call
await call_next(context)
to proceed - Modify the request: Change the context before calling
call_next
- Modify the response: Change the result after calling
call_next
- Stop the chain: Don’t call
call_next
(rarely needed) - Handle errors: Wrap
call_next
in try/catch blocks
Creating Middleware
FastMCP middleware is implemented by subclassing the Middleware
base class and overriding the hooks you need. You only need to implement the hooks that are relevant to your use case.
This creates a basic logging middleware that will print information about every request that flows through your server.
Adding Middleware to Your Server
Single Middleware
Adding middleware to your server is straightforward:
Multiple Middleware
Middleware executes in the order it’s added to the server. The first middleware added runs first on the way in, and last on the way out:
This creates the following execution flow:
- AuthenticationMiddleware (pre-processing)
- PerformanceMiddleware (pre-processing)
- LoggingMiddleware (pre-processing)
- Actual tool/resource handler
- LoggingMiddleware (post-processing)
- PerformanceMiddleware (post-processing)
- AuthenticationMiddleware (post-processing)
Server Composition and Middleware
When using Server Composition with mount
or import_server
, middleware behavior follows these rules:
- Parent server middleware runs for all requests, including those routed to mounted servers
- Mounted server middleware only runs for requests handled by that specific server
- Middleware order is preserved within each server
This allows you to create layered middleware architectures where parent servers handle cross-cutting concerns like authentication, while child servers focus on domain-specific middleware.
When a client calls “child_tool”, the request will flow through the parent’s authentication middleware first, then route to the child server where it will go through the child’s logging middleware.
Examples
Authentication Middleware
This middleware checks for a valid authorization token on all requests:
Performance Monitoring Middleware
This middleware tracks how long tools take to execute:
Request Transformation Middleware
This middleware adds metadata to tool calls: