Context object for this purpose.
You access Context through FastMCP’s dependency injection system. For other injectable values like HTTP requests, access tokens, and custom dependencies, see Dependency Injection.
What Is Context?
TheContext object provides a clean interface to access MCP features within your functions, including:
- Logging: Send debug, info, warning, and error messages back to the client
- Progress Reporting: Update the client on the progress of long-running operations
- Resource Access: List and read data from resources registered with the server
- Prompt Access: List and retrieve prompts registered with the server
- LLM Sampling: Request the client’s LLM to generate text based on provided messages
- User Elicitation: Request structured input from users during tool execution
- Session State: Store data that persists across requests within an MCP session
- Session Visibility: Control which components are visible to the current session
- Request Information: Access metadata about the current request
- Server Access: When needed, access the underlying FastMCP server instance
Accessing the Context
New in version2.14
The preferred way to access context is using the CurrentContext() dependency:
- Dependency parameters are automatically excluded from the MCP schema—clients never see them.
- Context methods are async, so your function usually needs to be async as well.
- Each MCP request receives a new context object. Context is scoped to a single request; state or data set in one request will not be available in subsequent requests.
- Context is only available during a request; attempting to use context methods outside a request will raise errors.
Legacy Type-Hint Injection
For backwards compatibility, you can still access context by simply adding a parameter with theContext type hint. FastMCP will automatically inject the context instance:
Context type hint is important. The type hint can also be a union (Context | None) or use Annotated[].
Via get_context() Function
New in version 2.2.11
For code nested deeper within your function calls where passing context through parameters is inconvenient, use get_context() to retrieve the active context from anywhere within a request’s execution flow:
- The
get_context()function should only be used within the context of a server request. Calling it outside of a request will raise aRuntimeError. - The
get_context()function is server-only and should not be used in client code.
Context Capabilities
FastMCP provides several advanced capabilities through the context object. Each capability has dedicated documentation with comprehensive examples and best practices:Logging
Send debug, info, warning, and error messages back to the MCP client for visibility into function execution.Client Elicitation
New in version2.10.0
Request structured input from clients during tool execution, enabling interactive workflows and progressive disclosure. This is a new feature in the 6/18/2025 MCP spec.
LLM Sampling
New in version2.0.0
Request the client’s LLM to generate text based on provided messages, useful for leveraging AI capabilities within your tools.
Progress Reporting
Update clients on the progress of long-running operations, enabling progress indicators and better user experience.Resource Access
List and read data from resources registered with your FastMCP server, allowing access to files, configuration, or dynamic content.ctx.list_resources() -> list[MCPResource]: New in version2.13.0Returns list of all available resourcesctx.read_resource(uri: str | AnyUrl) -> list[ReadResourceContents]: Returns a list of resource content parts
Prompt Access
New in version2.13.0
List and retrieve prompts registered with your FastMCP server, allowing tools and middleware to discover and use available prompts programmatically.
ctx.list_prompts() -> list[MCPPrompt]: Returns list of all available promptsctx.get_prompt(name: str, arguments: dict[str, Any] | None = None) -> GetPromptResult: Get a specific prompt with optional arguments
Session State
New in version3.0.0
Store data that persists across multiple requests within the same MCP session. Session state is automatically keyed by the client’s session, ensuring isolation between different clients.
increment_counter will each have their own counter.
Method signatures:
await ctx.set_state(key, value, *, serializable=True): Store a value in session stateawait ctx.get_state(key): Retrieve a value (returns None if not found)await ctx.delete_state(key): Remove a value from session state
State methods are async and require
await. State expires after 1 day to prevent unbounded memory growth.Non-Serializable Values
By default, state values must be JSON-serializable (dicts, lists, strings, numbers, etc.) so they can be persisted across requests. For non-serializable values like HTTP clients or database connections, passserializable=False:
serializable=False only live for the current MCP request (a single tool call, resource read, or prompt render). They will not be available in subsequent requests within the session.
Custom Storage Backends
By default, session state uses an in-memory store suitable for single-server deployments. For distributed or serverless deployments, provide a custom storage backend:AsyncKeyValue protocol works. See Storage Backends for more options including Redis, DynamoDB, and MongoDB.
State During Initialization
State set duringon_initialize middleware persists to subsequent tool calls when using the same session object (STDIO, SSE, single-server HTTP). For distributed/serverless HTTP deployments where different machines handle init and tool calls, state is isolated by the mcp-session-id header.
Session Visibility
New in version3.0.0
Tools can customize which components are visible to their current session using ctx.enable_components(), ctx.disable_components(), and ctx.reset_visibility(). These methods apply visibility rules that affect only the calling session, leaving other sessions unchanged. See Per-Session Visibility for complete documentation, filter criteria, and patterns like namespace activation.
Change Notifications
New in version3.0.0
FastMCP automatically sends list change notifications when components (such as tools, resources, or prompts) are added, removed, enabled, or disabled. In rare cases where you need to manually trigger these notifications, you can use the context’s notification methods:
FastMCP Server
To access the underlying FastMCP server instance, you can use thectx.fastmcp property:
Transport
New in version3.0.0
The ctx.transport property indicates which transport is being used to run the server. This is useful when your tool needs to behave differently depending on whether the server is running over STDIO, SSE, or Streamable HTTP. For example, you might want to return shorter responses over STDIO or adjust timeout behavior based on transport characteristics.
The transport type is set once when the server starts and remains constant for the server’s lifetime. It returns None when called outside of a server context (for example, in unit tests or when running code outside of an MCP request).
ctx.transport -> Literal["stdio", "sse", "streamable-http"] | None
MCP Request
Access metadata about the current request and client.ctx.request_id -> str: Get the unique ID for the current MCP requestctx.client_id -> str | None: Get the ID of the client making the request, if provided during initializationctx.session_id -> str: Get the MCP session ID for session-based data sharing. RaisesRuntimeErrorif the MCP session is not yet established.
Request Context Availability
New in version2.13.1
The ctx.request_context property provides access to the underlying MCP request context, but returns None when the MCP session has not been established yet. This typically occurs:
- During middleware execution in the
on_requesthook before the MCP handshake completes - During the initialization phase of client connections
get_http_request() and get_http_headers().
Client Metadata
New in version2.13.1
Clients can send contextual information with their requests using the meta parameter. This metadata is accessible through ctx.request_context.meta and is available for all MCP operations (tools, resources, prompts).
The meta field is None when clients don’t provide metadata. When provided, metadata is accessible via attribute access (e.g., meta.user_id) rather than dictionary access. The structure of metadata is determined by the client making the request.

