What's mcp-ui? β’ Core Concepts β’ Installation β’ Getting Started β’ Walkthrough β’ Examples β’ Supported Hosts β’ Security β’ Roadmap β’ Contributing β’ License
mcp-ui pioneered the concept of interactive UI over MCP, enabling rich web interfaces for AI tools. Alongside Apps SDK, the patterns developed here directly influenced the MCP Apps specification, which standardized UI delivery over the protocol.
The @mcp-ui/* packages implement the MCP Apps standard. @mcp-ui/client is the recommended SDK for MCP Apps Hosts.
The @mcp-ui/ packages are fully compliant with the MCP Apps specification and ready for production use.*
mcpui.mp4
mcp-ui is an SDK implementing the MCP Apps standard for UI over MCP. It provides:
@mcp-ui/server(TypeScript): Create UI resources withcreateUIResource. Works withregisterAppToolandregisterAppResourcefrom@modelcontextprotocol/ext-apps/server.@mcp-ui/client(TypeScript): Render tool UIs withAppRenderer(MCP Apps) orUIResourceRenderer(legacy MCP-UI hosts).mcp_ui_server(Ruby): Create UI resources in Ruby.mcp-ui-server(Python): Create UI resources in Python.
The MCP Apps pattern links tools to their UIs via _meta.ui.resourceUri. Hosts fetch and render the UI alongside tool results.
The MCP Apps standard links tools to their UIs via _meta.ui.resourceUri:
import { registerAppTool, registerAppResource } from '@modelcontextprotocol/ext-apps/server';
import { createUIResource } from '@mcp-ui/server';
// 1. Create UI resource
const widgetUI = createUIResource({
uri: 'ui://my-server/widget',
content: { type: 'rawHtml', htmlString: '<h1>Widget</h1>' },
encoding: 'text',
});
// 2. Register resource handler
registerAppResource(server, 'widget_ui', widgetUI.resource.uri, {}, async () => ({
contents: [widgetUI.resource]
}));
// 3. Register tool with _meta linking
registerAppTool(server, 'show_widget', {
description: 'Show widget',
inputSchema: { query: z.string() },
_meta: { ui: { resourceUri: widgetUI.resource.uri } } // Links tool β UI
}, async ({ query }) => {
return { content: [{ type: 'text', text: `Query: ${query}` }] };
});Hosts detect _meta.ui.resourceUri, fetch the UI via resources/read, and render it with AppRenderer.
The underlying payload for UI content:
interface UIResource {
type: 'resource';
resource: {
uri: string; // e.g., ui://component/id
mimeType: 'text/html' | 'text/uri-list' | 'application/vnd.mcp-ui.remote-dom';
text?: string; // Inline HTML, external URL, or remote-dom script
blob?: string; // Base64-encoded content
};
}uri: Unique identifier usingui://schememimeType:text/htmlfor HTML,text/uri-listfor URLs,text/html;profile=mcp-appfor MCP Appstextvs.blob: Plain text or Base64-encoded content
For MCP Apps hosts, use AppRenderer to render tool UIs:
import { AppRenderer } from '@mcp-ui/client';
function ToolUI({ client, toolName, toolInput, toolResult }) {
return (
<AppRenderer
client={client}
toolName={toolName}
sandbox={{ url: sandboxUrl }}
toolInput={toolInput}
toolResult={toolResult}
onOpenLink={async ({ url }) => window.open(url)}
onMessage={async (params) => console.log('Message:', params)}
/>
);
}Key props:
client: Optional MCP client for automatic resource fetchingtoolName: Tool name to render UI forsandbox: Sandbox configuration with proxy URLtoolInput/toolResult: Tool arguments and resultsonOpenLink/onMessage: Handlers for UI requests
For legacy hosts that embed resources in tool responses:
import { UIResourceRenderer } from '@mcp-ui/client';
<UIResourceRenderer
resource={mcpResource.resource}
onUIAction={(action) => console.log('Action:', action)}
/>Props:
resource: Resource object withuri,mimeType, and content (text/blob)onUIAction: Callback for handling tool, prompt, link, notify, and intent actions
Also available as a Web Component:
<ui-resource-renderer
resource='{ "mimeType": "text/html", "text": "<h2>Hello!</h2>" }'
></ui-resource-renderer>Rendered using the internal <HTMLResourceRenderer /> component, which displays content inside an <iframe>. This is suitable for self-contained HTML.
mimeType:text/html;profile=mcp-app(MCP Apps standard)
UI snippets must be able to interact with the agent. In mcp-ui, this is done by hooking into events sent from the UI snippet and reacting to them in the host (see onUIAction prop). For example, an HTML may trigger a tool call when a button is clicked by sending an event which will be caught handled by the client.
MCP-UI SDKs includes adapter support for host-specific implementations, enabling your open MCP-UI widgets to work seamlessly regardless of host. Adapters automatically translate between MCP-UI's postMessage protocol and host-specific APIs. Over time, as hosts become compatible with the open spec, these adapters wouldn't be needed.
For Apps SDK environments (e.g., ChatGPT), this adapter translates MCP-UI protocol to Apps SDK API calls (e.g., window.openai).
How it Works:
- Intercepts MCP-UI
postMessagecalls from your widgets - Translates them to appropriate Apps SDK API calls
- Handles bidirectional communication (tools, prompts, state management)
- Works transparently - your existing MCP-UI code continues to work without changes
Usage:
import { createUIResource } from '@mcp-ui/server';
const htmlResource = createUIResource({
uri: 'ui://greeting/1',
content: {
type: 'rawHtml',
htmlString: `
<button onclick="window.parent.postMessage({ type: 'tool', payload: { toolName: 'myTool', params: {} } }, '*')">
Call Tool
</button>
`
},
encoding: 'text',
// Enable adapters
adapters: {
appsSdk: {
enabled: true,
config: ...
}
// Future adapters can be enabled here
}
});The adapter scripts are automatically injected into your HTML content and handle all protocol translation.
Supported Actions:
- β
Tool calls -
{ type: 'tool', payload: { toolName, params } } - β
Prompts -
{ type: 'prompt', payload: { prompt } } - β
Intents -
{ type: 'intent', payload: { intent, params } }(converted to prompts) - β
Notifications -
{ type: 'notify', payload: { message } } - β
Render data - Access to
toolInput,toolOutput,widgetState,theme,locale β οΈ Links -{ type: 'link', payload: { url } }(may not be supported, returns error in some environments)
You can manually wrap HTML with adapters or access adapter scripts directly:
import { wrapHtmlWithAdapters, getAppsSdkAdapterScript } from '@mcp-ui/server';
// Manually wrap HTML with adapters
const wrappedHtml = wrapHtmlWithAdapters(
'<button>Click me</button>',
{
appsSdk: {
enabled: true,
config: { intentHandling: 'ignore' }
}
}
);
// Get a specific adapter script
const appsSdkScript = getAppsSdkAdapterScript({ timeout: 60000 });# using npm
npm install @mcp-ui/server @mcp-ui/client
# or pnpm
pnpm add @mcp-ui/server @mcp-ui/client
# or yarn
yarn add @mcp-ui/server @mcp-ui/clientgem install mcp_ui_server# using pip
pip install mcp-ui-server
# or uv
uv add mcp-ui-serverYou can use GitMCP to give your IDE access to mcp-ui's latest documentation!
-
Server-side: Create a tool with UI using
_meta.ui.resourceUriimport { McpServer } from '@modelcontextprotocol/sdk/server/mcp.js'; import { registerAppTool, registerAppResource } from '@modelcontextprotocol/ext-apps/server'; import { createUIResource } from '@mcp-ui/server'; import { z } from 'zod'; const server = new McpServer({ name: 'my-server', version: '1.0.0' }); // Create UI resource const widgetUI = createUIResource({ uri: 'ui://my-server/widget', content: { type: 'rawHtml', htmlString: '<h1>Interactive Widget</h1>' }, encoding: 'text', }); // Register resource handler registerAppResource(server, 'widget_ui', widgetUI.resource.uri, {}, async () => ({ contents: [widgetUI.resource] })); // Register tool with _meta linking registerAppTool(server, 'show_widget', { description: 'Show widget', inputSchema: { query: z.string() }, _meta: { ui: { resourceUri: widgetUI.resource.uri } } }, async ({ query }) => { return { content: [{ type: 'text', text: `Query: ${query}` }] }; });
-
Client-side: Render tool UIs with
AppRendererimport { AppRenderer } from '@mcp-ui/client'; function ToolUI({ client, toolName, toolInput, toolResult }) { return ( <AppRenderer client={client} toolName={toolName} sandbox={{ url: sandboxUrl }} toolInput={toolInput} toolResult={toolResult} onOpenLink={async ({ url }) => window.open(url)} onMessage={async (params) => console.log('Message:', params)} /> ); }
For hosts that don't support MCP Apps yet:
import { UIResourceRenderer } from '@mcp-ui/client';
<UIResourceRenderer
resource={mcpResource.resource}
onUIAction={(action) => console.log('Action:', action)}
/>Server-side: Build your UI resources
from mcp_ui_server import create_ui_resource
# Inline HTML
html_resource = create_ui_resource({
"uri": "ui://greeting/1",
"content": { "type": "rawHtml", "htmlString": "<p>Hello, from Python!</p>" },
"encoding": "text",
})
# External URL
external_url_resource = create_ui_resource({
"uri": "ui://greeting/2",
"content": { "type": "externalUrl", "iframeUrl": "https://example.com" },
"encoding": "text",
})Server-side: Build your UI resources
require 'mcp_ui_server'
# Inline HTML
html_resource = McpUiServer.create_ui_resource(
uri: 'ui://greeting/1',
content: { type: :raw_html, htmlString: '<p>Hello, from Ruby!</p>' },
encoding: :text
)
# External URL
external_url_resource = McpUiServer.create_ui_resource(
uri: 'ui://greeting/2',
content: { type: :external_url, iframeUrl: 'https://example.com' },
encoding: :text
)
# remote-dom
remote_dom_resource = McpUiServer.create_ui_resource(
uri: 'ui://remote-component/action-button',
content: {
type: :remote_dom,
script: "
const button = document.createElement('ui-button');
button.setAttribute('label', 'Click me from Ruby!');
button.addEventListener('press', () => {
window.parent.postMessage({ type: 'tool', payload: { toolName: 'uiInteraction', params: { action: 'button-click', from: 'ruby-remote-dom' } } }, '*');
});
root.appendChild(button);
",
framework: :react,
},
encoding: :text
)For a detailed, simple, step-by-step guide on how to integrate mcp-ui into your own server, check out the full server walkthroughs on the mcp-ui documentation site:
These guides will show you how to add a mcp-ui endpoint to an existing server, create tools that return UI resources, and test your setup with the ui-inspector!
Client Examples
- Goose - open source AI agent that supports
mcp-ui. - LibreChat - enhanced ChatGPT clone that supports
mcp-ui. - ui-inspector - inspect local
mcp-ui-enabled servers. - MCP-UI Chat - interactive chat built with the
mcp-uiclient. Check out the hosted version! - MCP-UI RemoteDOM Playground (
examples/remote-dom-demo) - local demo app to test RemoteDOM resources - MCP-UI Web Component Demo (
examples/wc-demo) - local demo app to test the Web Component integration in hosts
Server Examples
- TypeScript: A full-featured server that is deployed to a hosted environment for easy testing.
typescript-server-demo: A simple Typescript server that demonstrates how to generate UI resources.- server: A full-featured Typescript server that is deployed to a hosted Cloudflare environment for easy testing.
- HTTP Streaming:
https://remote-mcp-server-authless.idosalomon.workers.dev/mcp - SSE:
https://remote-mcp-server-authless.idosalomon.workers.dev/sse
- HTTP Streaming:
- Ruby: A barebones demo server that shows how to use
mcp_ui_serverandmcpgems together. - Python: A simple demo server that shows how to use the
mcp-ui-serverPython package. - XMCP - Typescript MCP framework with
mcp-uistarter example.
Drop those URLs into any MCP-compatible host to see mcp-ui in action. For a supported local inspector, see the ui-inspector.
The @mcp-ui/* packages work with both MCP Apps hosts and legacy MCP-UI hosts.
These hosts implement the MCP Apps specification and support tools with _meta.ui.resourceUri:
| Host | Notes |
|---|---|
| Claude | β |
| VSCode | |
| Postman | |
| Goose | |
| MCPJam | |
| LibreChat | |
| mcp-use | |
| Smithery |
These hosts expect UI resources embedded directly in tool responses:
| Host | Rendering | UI Actions | Notes |
|---|---|---|---|
| Nanobot | β | β | |
| MCPJam | β | β | |
| Postman | β | ||
| Goose | β | ||
| LibreChat | β | ||
| Smithery | β | β | |
| fast-agent | β | β |
| Host | Protocol | Notes |
|---|---|---|
| ChatGPT | Apps SDK | Guide |
Legend: β
Supported Β·
Host and user security is one of mcp-ui's primary concerns. In all content types, the remote code is executed in a sandboxed iframe.
- Add online playground
- Expand UI Action API (beyond tool calls)
- Support Web Components
- Support Remote-DOM
- Add component libraries (in progress)
- Add SDKs for additional programming languages (in progress; Ruby, Python available)
- Support additional frontend frameworks
- Explore providing a UI SDK (in addition to the client and server one)
- Add declarative UI content type
- Support generative UI?
mcp-ui is a project by Ido Salomon, in collaboration with Liad Yosef.
Contributions, ideas, and bug reports are welcome! See the contribution guidelines to get started.
Apache License 2.0 Β© The MCP-UI Authors
This project is provided "as is", without warranty of any kind. The mcp-ui authors and contributors shall not be held liable for any damages, losses, or issues arising from the use of this software. Use at your own risk.