
Model Context Protocol(MCP) とは
Model Context Protocol(MCP)とは、Anthropic社が公開しているオープンソースのプロトコルで、
アプリケーションがLLMに対して何かしらのコンテキストを提供する際のプロトコルを標準化したものになります。
各AIエージェントを取り扱うMCP Client は、設定されたMCP Server の設定をもとに、Remote のデータソースであったり、何かしらのツールを利用可能になります。
flowchart LR
subgraph "Your Computer"
Host["Host with MCP Client<br/>(Claude, IDEs, Tools)"]
S1["MCP Server A"]
S2["MCP Server B"]
D1[("Local<br/>Data Source A")]
Host <-->|"MCP Protocol"| S1
Host <-->|"MCP Protocol"| S2
S1 <--> D1
end
subgraph "Internet"
S3["MCP Server C"]
D2[("Remote<br/>Service B")]
D3[("Remote<br/>Service C")]
S2 <-->|"Web APIs"| D2
S3 <-->|"Web APIs"| D3
end
Host <-->|"MCP Protocol"| S3
ref: What is the Model Context Protocol (MCP)? - Model Context Protocol
MCP-UI とは
MCP を拡張して、AIエージェントが「インタラクティブなUI」をリソースとして返却することを可能にするプロトコルです。
これを用いることで、チャットUIから自然言語でAIに問い合わせると、AIエージェントがMCPの設定を読んで、 ユーザが求めるUIを選択して返却することが可能になります 。
公式のTOPにあるデモ動画が提供されているため、こちらが参考になります。
現在、MCP-UI では TypeScript、Ruby、Python の3種のSDK が提供されています。
mcp-ui/sdks at main · MCP-UI-Org/mcp-ui · GitHub
今回は、このMCP-UIの TypeScript SDK を用いて、実際にAIエージェントが返却可能なUIリソースを作成します。
完成物
先に、今回の実験の完成物はこちらです。
この内容を解説していきます。
MCP-UI の TypeScript SDK は、client サイド、server サイドそれぞれのパッケージを提供しています。
MCP サーバを実装する
まずは、MCPサーバ側から作成します。
ひとまず、Express でmcp 用のAPIを立てます。
MCP の実装には Streamable Http を用いますが、型定義は mcp-ui/server が提供しているのでこちらを利用します。
import { StreamableHTTPServerTransport } from '@modelcontextprotocol/sdk/server/streamableHttp.js';
const transports: { [sessionId: string]: StreamableHTTPServerTransport } = {}; app.post("/mcp", async (req, res) => { const sessionId = req.headers["mcp-session-id"] as string | undefined; let transport: StreamableHTTPServerTransport; if (sessionId && transports[sessionId]) { // A session already exists; reuse the existing transport. transport = transports[sessionId]; } else if (!sessionId && isInitializeRequest(req.body)) { // This is a new initialization request. Create a new transport. transport = new StreamableHTTPServerTransport({ sessionIdGenerator: () => randomUUID(), onsessioninitialized: (sid) => { transports[sid] = transport; console.log(`MCP Session initialized: ${sid}`); }, }); // Clean up the transport from our map when the session closes. transport.onclose = () => { if (transport.sessionId) { console.log(`MCP Session closed: ${transport.sessionId}`); delete transports[transport.sessionId]; } }; // Create a new server instance for this specific session. const server = new McpServer({ name: "typescript-server-walkthrough", version: "1.0.0", }); // TODO: **ここにUIリソースを返却するMCP ツールの登録を行っていく** // Connect the server instance to the transport for this session. await server.connect(transport); } else { return res.status(400).json({ error: { message: "Bad Request: No valid session ID provided" }, }); } // Handle the client's request using the session's transport. await transport.handleRequest(req, res, req.body); }); // A separate, reusable handler for GET and DELETE requests. const handleSessionRequest = async ( req: express.Request, res: express.Response ) => { const sessionId = req.headers["mcp-session-id"] as string | undefined; if (!sessionId || !transports[sessionId]) { return res.status(404).send("Session not found"); } const transport = transports[sessionId]; await transport.handleRequest(req, res); }; // GET handles the long-lived stream for server-to-client messages. app.get("/mcp", handleSessionRequest); // DELETE handles explicit session termination from the client. app.delete("/mcp", handleSessionRequest); app.listen(port, () => { console.log(`Server listening at http://localhost:${port}`); console.log(`MCP endpoint available at http://localhost:${port}/mcp`); });
次に、中身を実装していきます。
1. シンプルな rawHtml の返却
まずはシンプルな rawHtml を返却してみます。
// Register our MCP-UI tool on the new server instance. server.registerTool( "get_hello_world", { title: "HelloWorld", description: "シンプルなHTMLのリソースを返すツールです", inputSchema: {}, }, async () => { const uiResource = createUIResource({ uri: "ui://hello_world", content: { type: "rawHtml", htmlString: "<p>hello_world</p>" }, encoding: "text", }) return { content: [uiResource], }; } );
registerTool() は、第一引数で MCP Tool の名前、第二引数で メタ情報、第三引数でコールバック関数として、返却するUIリソースを設定します。
createUIResource の詳細は下記の通りです。
uri... ui スキーマを指定して、クライアント側でMCP-UI を識別するための一意のurl を設定するcontent... type は 3つある。rawHtml... そのままhtmlStringで直接DOMを書き、その内容を返却するexternalUrl... 外部URL を指定して、その内容を描画するremoteDom...mcp-ui/clientが提供するコンポーネントや、自前で設定したコンポーネントを利用する場合はこちらを扱う
encodingtextもしくはblobを指定する
次に、クライアントサイドです。
const fetchMcpResource = async ( toolName: string ): Promise<ContentBlock | undefined> => { const client = new Client({ name: "streamable-http-client", version: "1.0.0", }); const transport = new StreamableHTTPClientTransport( new URL("http://localhost:4040/mcp") ); await client.connect(transport); let result: any; // server で実装した ツールを呼び出す if (toolName === "get_hello_world") { result = await client.callTool({ name: toolName, arguments: {}, }); } else { throw new Error(`Unknown tool: ${toolName}`); } return (result?.content as ContentBlock[])[0]; }; loadResource = async (toolName: string) => { setLoading(true); setError(null); setUIResource(null); try { const block = await fetchMcpResource(toolName); setUIResource(block?.resource as Resource); } catch (e: any) { setError(e.message); } setLoading(false); }; return ( <div> <div> <div> <div> {loading && <p>Loading resource...</p>} {error && <p>Error: {error}</p>} </div> {uiResource && ( <div> <h2> Rendering Resource: {uiResource.uri} </h2> <div> <UIResourceRenderer resource={uiResource} htmlProps={{ style: { width: "1200px", height: "400px", padding: "16px", }, }} /> </div> </div> )} </div> </div> </div> ); }; export default App;
今回は実験のため、Mastra の設定などAIエージェントは使わず、直接MCPサーバを呼び出してみます。
const transport = new StreamableHTTPClientTransport( new URL("http://localhost:4040/mcp") ); await client.connect(transport); let result: any; // server で実装した ツールを呼び出す if (toolName === "get_hello_world") { result = await client.callTool({ name: toolName, arguments: {}, });
この部分でMCPサーバとの接続を行い、server 側で実装したツールを呼び出しています。
<UIResourceRenderer resource={uiResource} />
UIResourceRenderer は、@mcp-ui/client が提供するコンポーネントです。
MCP サーバーからの応答を受け取り、resouce のタイプごとに出し分けを行い、 iframe 上に立ち上げた sandbox 環境 でレンダリングされます。

2. 外部リンクをUIリソースとして返却する
外部リソースを返却する場合は、 server サイドのcontent.type として externalUrl を利用します。
server.registerTool(
"get_external_link",
{
title: "GetExternalLink",
description: "外部リソースのリンクを返します",
inputSchema: {},
},
async () => {
// Create the UI resource to be returned to the client (this is the only part specific to MCP-UI)
const uiResource = createUIResource({
uri: "ui://external_link",
content: { type: "externalUrl", iframeUrl: "https://example.com" },
encoding: "text",
})
return {
content: [uiResource],
};
}
);
この例だと、 https://example.com の内容を iframe 上にレンダリングすることになります。
クライアントサイドでは特に変更はなく、 UIResourceRenderer がresouce タイプを読み取って、指定された tool 名が get_external_linkの場合は 外部リンクが描画されることになります。

3. mcp-ui/client が提供するコンポーネントを用いて、インタラクティブなアクションを行う
次に、 mcp-ui/client が提供しているコンポーネントをUIリソースとして返却できるようにし、iframe 上のUIでインタラクティブなアクションを行ってみます。
サーバサイドで新しく tool を登録します。
server.registerTool(
"get_action_button",
{
title: "GetActionButton",
description: "インタラクティブなアクションボタンのUIリソースを返します",
inputSchema: {
label: z.string(),
},
},
async ({ label }) => {
const uiResource = createUIResource({
uri: "ui://action_button",
content: {
type: "remoteDom",
framework: "react",
script: `
const button = document.createElement('ui-button');
button.setAttribute('label', '${label}');
button.addEventListener('press', () => {
window.parent.postMessage({
type: 'notify',
payload: {
message: 'アクションが実行されました! at' +${Date.now()}
}
}, '*');
});
root.appendChild(button);
`,
},
encoding: "text",
})
return {
content: [uiResource],
};
}
);
MCP-UIの UI リソースにイベントを渡すには addEventListener を指定し、 window.parent.postMessage を使う必要があります。
これによってiframe 内で発火したイベントがクライアント側で取得できるようになります。
種類は色々とあり、代表的な5つを紹介します。
intent... ユーザーがUIを操作して意図を表明する際に用いるnotify... 既にユーザーの操作で意図した動作が発火しており、メッセージのみを通知するprompt... iframe がクライアントに対して、指定したプロンプトを要求するtool... iframe が次のツール呼び出しを要求する。UI リソースから直接次のUIリソースにつなげるlink... igrame がクライアントに対してリンクへの移動を要求する
実際のチャットプロダクトでは、これらのインタラクティブなアクションをMCPクライアントが受取り、AIエージェントがその要求に沿って次のアクションを起こすことになります。
他にも色々なメッセージの種類があります。
次に、クライアントサイドです。
先程まで扱ってきた、 UIResourceRenderer にprops を加えます。
onUIAction のプロパティを追加することで、iframe 上で起きたアクションを受け取ることが可能になります。
また、 remoteDomProps の library と remoteElements を指定することで、UIリソース内に React コンポーネントまたは Web コンポーネントをセットすることができます。
const fetchMcpResource = async ( toolName: string ): Promise<ContentBlock | undefined> => { // 省略 else if (toolName === "get_action_button") { result = await client.callTool({ name: toolName, arguments: { label: "Click Me!!!", }, }); } const App: React.FC = () => { // 省略 const handleGenericMcpAction = useCallback(async (result: UIActionResult) => { // メッセージの種類で分ける。先程設定したのは、notify type だったので、notify のメッセージが流れる if (result.type === "tool") { setLastAction({ tool: result.payload.toolName, params: result.payload.params, }); loadResource(result.payload.toolName); } else if (result.type === "prompt") { console.log(`Prompt received in host app:`, result.payload.prompt); setLastAction({ prompt: result.payload.prompt }); } else if (result.type === "link") { console.log(`Link received in host app:`, result.payload.url); setLastAction({ url: result.payload.url }); } else if (result.type === "intent") { console.log(`Intent received in host app:`, result.payload.intent); setLastAction({ intent: result.payload.intent }); } else if (result.type === "notify") { console.log(`Notification received in host app:`, result.payload.message); setLastAction({ message: result.payload.message }); } return { status: "Action handled by host application", }; }, []); return ( // 省略 <UIResourceRenderer resource={uiResource} onUIAction={handleGenericMcpAction} remoteDomProps={{ library: basicComponentLibrary, remoteElements: [ remoteButtonDefinition, remoteTextDefinition, ], }} // 省略 )
この3章では、 basicComponentLibrary という、 @mcp-ui/client が提供するサンプルコンポーネントを利用しています。
上記のようにすることで、AIエージェントが返却するUIリソースに対して、 インタラクティブなアクション を追加することが出来ます!

4章では、同様に remoteDomProps.library と remoteDomProps.remoteElements を登録することで、自前のコンポーネントを作っていきます。
4. 自前で作成したReactコンポーネントを用いて、インタラクティブなアクションを行う
さて、最後に自前のReactコンポーネントの登録をやってみます。
仮に、CustomCounter.ts という簡易なカウンターコンポーネントを作ります。
interface CustomCounterProps { label?: string; onPress?: (count: number) => void; } export const CustomCounter = React.forwardRef< HTMLButtonElement, CustomCounterProps >(({ label = "Button", onPress }, ref) => { const [count, setCount] = useState(0); const handleClick = () => { if (onPress) { onPress(count); } setCount((prev) => prev + 1); }; const handleAdd = () => { setCount((prev) => prev + 1); }; const handleSubtract = () => { setCount((prev) => prev - 1); }; return ( <div> <p className="text-20 font-bold"> {label} </p> <div className="my-2 flex gap-3"> <button type="button" onClick={handleSubtract} > <span>-</span> </button> <span className="flex items-center gap-2">{count}</span> <button type="button" onClick={handleAdd} > <span>+</span> </button> </div> <button ref={ref} type="button" onClick={handleClick} > 送信 </button> </div> ); }); CustomCounter.displayName = "CustomCounter";
これを、MCP-UI で扱うコンポーネントとして登録するために、 library と elements のconfig を拡張します。
import { basicComponentLibrary, type ComponentLibrary } from "@mcp-ui/client"; import { CustomCounter } from "./CustomCounter"; // カスタムコンポーネントライブラリの定義(基本ライブラリと統合) export const extendedComponentLibrary: ComponentLibrary = { name: "extended-library", elements: [ ...basicComponentLibrary.elements, { tagName: "custom-counter", component: CustomCounter, propMapping: { label: "label", }, eventMapping: { press: "onPress", }, }, ], }; // リモート要素の定義(サーバー側で使用する要素の仕様) export const customRemoteElements = [ { tagName: "custom-counter", remoteAttributes: ["label"], remoteEvents: ["press"], }, ];
この customRemoteElements のやり方は、公式Doc のやり方と異なり、string の配列としてattributes と events を渡しています。
公式Doc: https://mcpui.dev/guide/client/custom-component-libraries#_3-define-the-remote-elements
公式通りだとどうしても上手くいかなかったので、 @mcp-ui/client が提供する basicComponentLibrary を参考にしました。
上記の設定を、 UIResourceRenderer に追加します。
<UIResourceRenderer resource={uiResource} onUIAction={handleGenericMcpAction} remoteDomProps={{ library: extendedComponentLibrary, remoteElements: [ remoteButtonDefinition, remoteTextDefinition, ...customRemoteElements, ], }}
:warning: 原因が深堀りできていないですが、 発火したいevent が onPress の場合は、 press としてマッピング。のように、 on + ハンドラ名 としないとうまくいきませんでした。
MCP-UI 上で element の設定がうまくマップできなかったので、この辺詳しい方いたら教えて欲しいです。
次に、サーバ側です。
library に custom-counter として登録したので、その名前で追加します。
server.registerTool(
"get_custom_action_button",
{
title: "GetCustomActionCounter",
description:
"カスタムReactコンポーネントを使ったボタンのUIリソースを返します",
inputSchema: {},
},
async () => {
const uiResource = createUIResource({
uri: "ui://custom_action_button",
content: {
type: "remoteDom",
framework: "react",
script: `
const customButton = document.createElement('custom-counter');
customButton.setAttribute('label', 'Custom Counter');
customButton.addEventListener('press', (event) => {
const count = event.detail;
window.parent.postMessage({
type: 'tool',
payload: {
toolName: 'get_custom_action_button',
params: {
data: count,
timestamp: ${Date.now()}
}
}
}, '*');
});
root.appendChild(customButton);
`,
},
encoding: "text",
});
return {
content: [uiResource],
};
}
);
content.type は remoteDom、 React コンポーネントなので、 framework は react。
今回の postMessage は tool にして、再帰的に同じ UI リソースを呼び出すようにしてみます。
window.parent.postMessage({ type: 'tool', payload: { toolName: 'get_custom_action_button', params: { data: count, timestamp: ${Date.now()} } } }, '*');
クライアントサイドに戻り、UIResourceRendarer の onUIAction={handleGenericMcpAction} のメソッドを見てみます。
const handleGenericMcpAction = useCallback(async (result: UIActionResult) => { if (result.type === "tool") { setLastAction({ tool: result.payload.toolName, params: result.payload.params, }); loadResource(result.payload.toolName); } }
メッセージタイプが tool の場合は、toolName とparams を payload で渡せるので、再帰的に同じUIリソースを呼び出すようにしています。
このように、 type: 'tool' を使うと、ユーザーのアクションに基づいて、次のUIリソースを呼び出していくことが可能です。

MCP-UI で変わるユーザーの操作フロー
今回の記事では、MCP-UIを用いて、
- AIエージェントがMCPを拡張して、UIリソースを返却可能にする
- UIリソースから対話的にユーザがアクションを起こし、次の挙動へと進める
- 自前で作成したReactコンポーネントを登録する
というのを試してみました。
ユーザが「目的」を完結するために必要なUIを、MCP-UIを用いてツール登録しておけば、 従来の開発者が構築したユーザ画面フローに沿って進むUXとはまた異なる、ユーザが必要なUIを選んでいくようなUXに変わる かもしれません。
勝手が異なりイメージが掴みづらいですが、面白いことは色々とできそうです。
Reference
下記を参考にさせて頂きました。