query, and control which tools Claude can access. It also covers error handling, tool annotations, and returning non-text content like images.
Quick reference
| If you want to… | Do this |
|---|---|
| Define a tool | Use @tool (Python) or tool() (TypeScript) with a name, description, schema, and handler. See Create a custom tool. |
| Register a tool with Claude | Wrap in create_sdk_mcp_server / createSdkMcpServer and pass to mcpServers in query(). See Call a custom tool. |
| Pre-approve a tool | Add to your allowed tools. See Configure allowed tools. |
| Remove a built-in tool from Claude’s context | Pass a tools array listing only the built-ins you want. See Configure allowed tools. |
| Let Claude call tools in parallel | Set readOnlyHint: true on tools with no side effects. See Add tool annotations. |
| Handle errors without stopping the loop | Return isError: true instead of throwing. See Handle errors. |
| Return images or files | Use image or resource blocks in the content array. See Return images and resources. |
| Scale to many tools | Use tool search to load tools on demand. |
Create a custom tool
A tool is defined by four parts, passed as arguments to thetool() helper in TypeScript or the @tool decorator in Python:
- Name: a unique identifier Claude uses to call the tool.
- Description: what the tool does. Claude reads this to decide when to call it.
- Input schema: the arguments Claude must provide. In TypeScript this is always a Zod schema, and the handler’s
argsare typed from it automatically. In Python this is a dict mapping names to types, like{"latitude": float}, which the SDK converts to JSON Schema for you. The Python decorator also accepts a full JSON Schema dict directly when you need enums, ranges, optional fields, or nested objects. - Handler: the async function that runs when Claude calls the tool. It receives the validated arguments and must return an object with:
content(required): an array of result blocks, each with atypeof"text","image", or"resource". See Return images and resources for non-text blocks.isError(optional): set totrueto signal a tool failure so Claude can react to it. See Handle errors.
createSdkMcpServer (TypeScript) or create_sdk_mcp_server (Python). The server runs in-process inside your application, not as a separate process.
Weather tool example
This example defines aget_temperature tool and wraps it in an MCP server. It only sets up the tool; to pass it to query and run it, see Call a custom tool below.
tool() TypeScript reference or the @tool Python reference for full parameter details, including JSON Schema input formats and return value structure.
Call a custom tool
Pass the MCP server you created toquery via the mcpServers option. The key in mcpServers becomes the {server_name} segment in each tool’s fully qualified name: mcp__{server_name}__{tool_name}. List that name in allowedTools so the tool runs without a permission prompt.
These snippets reuse the weatherServer from the example above to ask Claude what the weather is in a specific location.
Add more tools
A server holds as many tools as you list in itstools array. With more than one tool on a server, you can list each one in allowedTools individually or use the wildcard mcp__weather__* to cover every tool the server exposes.
The example below adds a second tool, get_precipitation_chance, to the weatherServer from the weather tool example and rebuilds it with both tools in the array.
Add tool annotations
Tool annotations are optional metadata describing how a tool behaves. Pass them as the fifth argument totool() helper in TypeScript or via the annotations keyword argument for the @tool decorator in Python. All hint fields are Booleans.
| Field | Default | Meaning |
|---|---|---|
readOnlyHint | false | Tool does not modify its environment. Controls whether the tool can be called in parallel with other read-only tools. |
destructiveHint | true | Tool may perform destructive updates. Informational only. |
idempotentHint | false | Repeated calls with the same arguments have no additional effect. Informational only. |
openWorldHint | true | Tool reaches systems outside your process. Informational only. |
readOnlyHint: true can still write to disk if that’s what the handler does. Keep the annotation accurate to the handler.
This example adds readOnlyHint to the get_temperature tool from the weather tool example.
ToolAnnotations in the TypeScript or Python reference.
Control tool access
The weather tool example registered a server and listed tools inallowedTools. This section covers how tool names are constructed and how to scope access when you have multiple tools or want to restrict built-ins.
Tool name format
When MCP tools are exposed to Claude, their names follow a specific format:- Pattern:
mcp__{server_name}__{tool_name} - Example: A tool named
get_temperaturein serverweatherbecomesmcp__weather__get_temperature
Configure allowed tools
Thetools option and the allowed/disallowed lists operate on separate layers. tools controls which built-in tools appear in Claude’s context. Allowed and disallowed tool lists control whether calls are approved or denied once Claude attempts them.
| Option | Layer | Effect |
|---|---|---|
tools: ["Read", "Grep"] | Availability | Only the listed built-ins are in Claude’s context. Unlisted built-ins are removed. MCP tools are unaffected. |
tools: [] | Availability | All built-ins are removed. Claude can only use your MCP tools. |
| allowed tools | Permission | Listed tools run without a permission prompt. Unlisted tools remain available; calls go through the permission flow. |
| disallowed tools | Permission | Every call to a listed tool is denied. The tool stays in Claude’s context, so Claude may still attempt it before the call is rejected. |
tools over disallowed tools. Omitting a tool from tools removes it from context so Claude never attempts it; listing it in disallowedTools (Python: disallowed_tools) blocks the call but leaves the tool visible, so Claude may waste a turn trying it. See Configure permissions for the full evaluation order.
Handle errors
How your handler reports errors determines whether the agent loop continues or stops:| What happens | Result |
|---|---|
| Handler throws an uncaught exception | Agent loop stops. Claude never sees the error, and the query call fails. |
Handler catches the error and returns isError: true (TS) / "is_error": True (Python) | Agent loop continues. Claude sees the error as data and can retry, try a different tool, or explain the failure. |
try/except (Python) or try/catch (TypeScript) and also returned as an error result. In both cases the handler returns normally and the agent loop continues.
Return images and resources
Thecontent array in a tool result accepts text, image, and resource blocks. You can mix them in the same response.
Images
An image block carries the image bytes inline, encoded as base64. There is no URL field. To return an image that lives at a URL, fetch it in the handler, read the response bytes, and base64-encode them before returning. The result is processed as visual input.| Field | Type | Notes |
|---|---|---|
type | "image" | |
data | string | Base64-encoded bytes. Raw base64 only, no data:image/...;base64, prefix |
mimeType | string | Required. For example image/png, image/jpeg, image/webp, image/gif |
Resources
A resource block embeds a piece of content identified by a URI. The URI is a label for Claude to reference; the actual content rides in the block’stext or blob field. Use this when your tool produces something that makes sense to address by name later, such as a generated file or a record from an external system.
| Field | Type | Notes |
|---|---|---|
type | "resource" | |
resource.uri | string | Identifier for the content. Any URI scheme |
resource.text | string | The content, if it’s text. Provide this or blob, not both |
resource.blob | string | The content base64-encoded, if it’s binary |
resource.mimeType | string | Optional |
file:///tmp/report.md is a label that Claude can reference later; the SDK does not read from that path.
CallToolResult type. See the MCP specification for the full definition.
Example: unit converter
This tool converts values between units of length, temperature, and weight. A user can ask “convert 100 kilometers to miles” or “what is 72°F in Celsius,” and Claude picks the right unit type and units from the request. It demonstrates two patterns:- Enum schemas:
unit_typeis constrained to a fixed set of values. In TypeScript, usez.enum(). In Python, the dict schema doesn’t support enums, so the full JSON Schema dict is required. - Unsupported input handling: when a conversion pair isn’t found, the handler returns
isError: trueso Claude can tell the user what went wrong rather than treating a failure as a normal result.
query the same way as the weather example. This example sends three different prompts in a loop to show the same tool handling different unit types. For each response, it inspects AssistantMessage objects (which contain the tool calls Claude made during that turn) and prints each ToolUseBlock before printing the final ResultMessage text. This lets you see when Claude is using the tool versus answering from its own knowledge.
Next steps
Custom tools wrap async functions in a standard interface. You can mix the patterns on this page in the same server: a single server can hold a database tool, an API gateway tool, and an image renderer alongside each other. From here:- If your server grows to dozens of tools, see tool search to defer loading them until Claude needs them.
- To connect to external MCP servers (filesystem, GitHub, Slack) instead of building your own, see Connect MCP servers.
- To control which tools run automatically versus requiring approval, see Configure permissions.