Request structured input from users during tool execution through the MCP context.
New in version 2.10.0User elicitation allows MCP servers to request structured input from users during tool execution. Instead of requiring all inputs upfront, tools can interactively ask for missing parameters, clarification, or additional context as needed.
Most of the examples in this document assume you have a FastMCP server instance named mcp and show how to use the ctx.elicit method to request user input from an @mcp.tool-decorated function.
Elicitation enables tools to pause execution and request specific information from users. This is particularly useful for:
Missing parameters: Ask for required information not provided initially
Clarification requests: Get user confirmation or choices for ambiguous scenarios
Progressive disclosure: Collect complex information step-by-step
Dynamic workflows: Adapt tool behavior based on user responses
For example, a file management tool might ask “Which directory should I create?” or a data analysis tool might request “What date range should I analyze?”
The Python type defining the expected response structure (dataclass, primitive type, etc.) Note that elicitation responses are subject to a restricted subset of JSON Schema types. See Supported Response Types for more details.
The elicitation result contains an action field indicating how the user responded:
accept: User provided valid input - data is available in the data field
decline: User chose not to provide the requested information and the data field is None
cancel: User cancelled the entire operation and the data field is None
Copy
@mcp.toolasync def my_tool(ctx: Context) -> str: result = await ctx.elicit("Choose an action") if result.action == "accept": return "Accepted!" elif result.action == "decline": return "Declined!" else: return "Cancelled!"
FastMCP also provides typed result classes for pattern matching on the action field:
Copy
from fastmcp.server.elicitation import ( AcceptedElicitation, DeclinedElicitation, CancelledElicitation,)@mcp.toolasync def pattern_example(ctx: Context) -> str: result = await ctx.elicit("Enter your name:", response_type=str) match result: case AcceptedElicitation(data=name): return f"Hello {name}!" case DeclinedElicitation(): return "No name provided" case CancelledElicitation(): return "Operation cancelled"
The server must send a schema to the client indicating the type of data it expects in response to the elicitation request. If the request is accept-ed, the client must send a response that matches the schema.The MCP spec only supports a limited subset of JSON Schema types for elicitation responses. Specifically, it only supports JSON objects with primitive properties including string, number (or integer), boolean and enum fields.FastMCP makes it easy to request a broader range of types, including scalars (e.g. str) or no response at all, by automatically wrapping them in MCP-compatible object schemas.
You can request simple scalar data types for basic input, such as a string, integer, or boolean.When you request a scalar type, FastMCP automatically wraps it in an object schema for MCP spec compatibility. Clients will see a corresponding schema requesting a single “value” field of the requested type. Once clients respond, the provided object is “unwrapped” and the scalar value is returned to your tool function as the data field of the ElicitationResult object.As a developer, this means you do not have to worry about creating or accessing a structured object when you only need a scalar value.
Copy
@mcp.toolasync def get_user_name(ctx: Context) -> str: """Get the user's name.""" result = await ctx.elicit("What's your name?", response_type=str) if result.action == "accept": return f"Hello, {result.data}!" return "No name provided"
Sometimes, the goal of an elicitation is to simply get a user to approve or reject an action. In this case, you can pass None as the response type to indicate that no response is expected. In order to comply with the MCP spec, the client will see a schema requesting an empty object in response. In this case, the data field of the ElicitationResult object will be None when the user accepts the elicitation.
No response
Copy
@mcp.toolasync def approve_action(ctx: Context) -> str: """Approve an action.""" result = await ctx.elicit("Approve this action?", response_type=None) if result.action == "accept": return do_action() else: raise ValueError("Action rejected")
Often you’ll want to constrain the user’s response to a specific set of values. You can do this by using a Literal type or a Python enum as the response type, or by passing a list of strings to the response_type parameter as a convenient shortcut.
Copy
@mcp.toolasync def set_priority(ctx: Context) -> str: """Set task priority level.""" result = await ctx.elicit( "What priority level?", response_type=["low", "medium", "high"], ) if result.action == "accept": return f"Priority set to: {result.data}"
New in version 2.14.0Enable multi-select by wrapping your choices in an additional list level. This allows users to select multiple values from the available options.
Copy
@mcp.toolasync def select_tags(ctx: Context) -> str: """Select multiple tags.""" result = await ctx.elicit( "Choose tags", response_type=[["bug", "feature", "documentation"]] # Note: list of a list ) if result.action == "accept": tags = result.data # List of selected strings return f"Selected tags: {', '.join(tags)}"
For titled multi-select, wrap a dict in a list (see Titled Options for dict syntax):
Copy
@mcp.toolasync def select_priorities(ctx: Context) -> str: """Select multiple priorities.""" result = await ctx.elicit( "Choose priorities", response_type=[{ # Note: list containing a dict "low": {"title": "Low Priority"}, "medium": {"title": "Medium Priority"}, "high": {"title": "High Priority"} }] ) if result.action == "accept": priorities = result.data # List of selected strings return f"Selected: {', '.join(priorities)}"
New in version 2.14.0For better UI display, you can provide human-readable titles for enum options. FastMCP generates SEP-1330 compliant schemas using the oneOf pattern with const and title fields.Use a dict to specify titles for enum values:
You can request structured data with multiple fields by using a dataclass, typed dict, or Pydantic model as the response type. Note that the MCP spec only supports shallow objects with scalar (string, number, boolean) or enum properties.
Copy
from dataclasses import dataclassfrom typing import Literal@dataclassclass TaskDetails: title: str description: str priority: Literal["low", "medium", "high"] due_date: str@mcp.toolasync def create_task(ctx: Context) -> str: """Create a new task with user-provided details.""" result = await ctx.elicit( "Please provide task details", response_type=TaskDetails ) if result.action == "accept": task = result.data return f"Created task: {task.title} (Priority: {task.priority})" return "Task creation cancelled"
New in version 2.14.0You can provide default values for elicitation fields using Pydantic’s Field(default=...). Clients will pre-populate form fields with these defaults, making it easier for users to provide input.Default values are supported for all primitive types:
Strings: Field(default="[email protected]")
Integers: Field(default=50)
Numbers: Field(default=3.14)
Booleans: Field(default=False)
Enums: Field(default=EnumValue.A)
Fields with default values are automatically marked as optional (not included in the required list), so users can accept the default or provide their own value.
Copy
from pydantic import BaseModel, Fieldfrom enum import Enumclass Priority(Enum): LOW = "low" MEDIUM = "medium" HIGH = "high"class TaskDetails(BaseModel): title: str = Field(description="Task title") description: str = Field(default="", description="Task description") priority: Priority = Field(default=Priority.MEDIUM, description="Task priority")@mcp.toolasync def create_task(ctx: Context) -> str: result = await ctx.elicit("Please provide task details", response_type=TaskDetails) if result.action == "accept": return f"Created: {result.data.title}" return "Task creation cancelled"
Elicitation requires the client to implement an elicitation handler. See Client Elicitation for details on how clients can handle these requests.If a client doesn’t support elicitation, calls to ctx.elicit() will raise an error indicating that elicitation is not supported.