- SSE - Server-Sent Events for connection state and observability updates
- Flexible Storage - Redis, SQLite, File System, or In-Memory backends
- Serverless - Works in serverless environments (Vercel, AWS Lambda, etc.)
- React Hook -
useMcphook for easy React integration - Vue Composable -
useMcpcomposable for Vue applications - MCP Protocol - Support for tools, prompts, and resources
- Agent Adapters - Built-in adapters for AI SDK, LangChain, Mastra, and AG-UI
- MCP Apps Extension (SEP-1865) - Interactive UI-driven tool interfaces
Check out working examples demonstrating the MCP Apps extension and agent integrations in the examples/agents directory.
Examples MCP Apps referred from modelcontextprotocol/ext-apps
I got the idea for
@mcp-tswhile working on 🌐 MCP Assistant. As the project grew, I had a few problems: storage, using different AI frameworks like LangGraph and ADK for different use cases, and figuring out how to get progressive SSE updates at each step so I could see what was happening. So with that idea in mind, I built this SDK to make setup easier and keep the user experience smooth. That’s how@mcp-tsstarted.
npm install @mcp-ts/sdkThe package supports multiple storage backends out of the box:
- Memory (default, no setup required)
- File (local persistence)
- SQLite (fast local persistence, requires
npm install better-sqlite3) - Redis (production-ready, requires
npm install ioredis)
// app/api/mcp/route.ts
import { createNextMcpHandler } from '@mcp-ts/sdk/server';
export const dynamic = 'force-dynamic';
export const runtime = 'nodejs';
export const { GET, POST } = createNextMcpHandler({
authenticate: () => {
// your logic here
}
});'use client';
import { useMcp } from '@mcp-ts/sdk/client/react';
function App() {
const { connections, connect } = useMcp({
url: '/api/mcp',
identity: 'user-123',
});
return (
<div className="flex flex-col items-center gap-4">
<button
onClick={() =>
connect({
serverId: 'my-server',
serverName: 'My MCP Server',
serverUrl: 'https://mcp.example.com',
callbackUrl: `${window.location.origin}/callback`,
})
}
>
Connect
</button>
{connections.map((conn) => (
<div key={conn.sessionId}>
<h3>{conn.serverName}</h3>
<p>State: {conn.state}</p>
<p>Tools: {conn.tools.length}</p>
</div>
))}
</div>
);
}Integrating with agent frameworks is simple using built-in adapters.
Vercel AI SDK
// app/api/chat/route.ts
import { MultiSessionClient } from '@mcp-ts/sdk/server';
import { AIAdapter } from '@mcp-ts/sdk/adapters/ai';
import { streamText } from 'ai';
import { openai } from '@ai-sdk/openai';
export async function POST(req: Request) {
const { messages, identity } = await req.json();
const client = new MultiSessionClient(identity);
try {
await client.connect();
const tools = await AIAdapter.getTools(client);
const result = streamText({
model: openai('gpt-4'),
messages,
tools,
onFinish: async () => {
await client.disconnect();
}
});
return result.toDataStreamResponse();
} catch (error) {
await client.disconnect();
throw error;
}
}Agui Adapter
import { MultiSessionClient } from '@mcp-ts/sdk/server';
import { AguiAdapter } from '@mcp-ts/sdk/adapters/agui-adapter';
const client = new MultiSessionClient("user_123");
await client.connect();
const adapter = new AguiAdapter(client);
const tools = await adapter.getTools();Mastra Adapter
import { MultiSessionClient } from '@mcp-ts/sdk/server';
import { MastraAdapter } from '@mcp-ts/sdk/adapters/mastra-adapter';
const client = new MultiSessionClient("user_123");
await client.connect();
const tools = await MastraAdapter.getTools(client);Execute MCP tools server-side when using remote agents (LangGraph, AutoGen, etc.):
View AG-UI (Agent Middleware)
import { HttpAgent } from "@ag-ui/client";
import { AguiAdapter } from "@mcp-ts/sdk/adapters/agui-adapter";
import { createMcpMiddleware } from "@mcp-ts/sdk/adapters/agui-middleware";
// Connect to MCP servers
const { MultiSessionClient } = await import("@mcp-ts/sdk/server");
const client = new MultiSessionClient("user_123");
await client.connect();
// Create adapter and get tools
const adapter = new AguiAdapter(client);
const mcpTools = await adapter.getTools();
// Create agent with middleware
const agent = new HttpAgent({ url: "http://localhost:8000/agent" });
agent.use(createMcpMiddleware({
toolPrefix: 'server-',
tools: mcpTools,
}));The middleware intercepts tool calls from remote agents, executes MCP tools server-side, and returns results back to the agent.
Render interactive UIs for your tools using the useMcpApps hook.
View MCP Apps
import { useRenderToolCall } from "@copilotkit/react-core";
import { useMcpApps } from "@mcp-ts/sdk/client/react";
import { useMcpContext } from "./mcp";
export function ToolRenderer() {
const { mcpClient } = useMcpContext();
const { getAppMetadata, McpAppRenderer } = useMcpApps(mcpClient);
useRenderToolCall({
name: "*",
render: ({ name, args, result, status }) => {
const metadata = getAppMetadata(name);
if (!metadata) return null;
return (
<McpAppRenderer
metadata={metadata}
input={args}
result={result}
status={status}
sseClient={mcpClient.sseClient}
/>
);
},
});
return null;
}Full documentation is available at: Docs
- Getting Started - Quick setup and overview
- Installation - Detailed installation guide
- Storage Backends - Redis, File, Memory options
- Next.js Integration - Complete Next.js examples
- React Hook Guide - Using the useMcp hook
- API Reference - Complete API documentation
The library supports multiple storage backends. You can explicitly select one using MCP_TS_STORAGE_TYPE or rely on automatic detection.
Supported Types: redis, sqlite, file, memory.
-
Redis (Recommended for production)
MCP_TS_STORAGE_TYPE=redis REDIS_URL=redis://localhost:6379
-
MCP_TS_STORAGE_TYPE=sqlite # Optional path MCP_TS_STORAGE_SQLITE_PATH=./sessions.db -
File System (Great for local dev)
MCP_TS_STORAGE_TYPE=file MCP_TS_STORAGE_FILE=./sessions.json
-
In-Memory (Default for testing)
MCP_TS_STORAGE_TYPE=memory
@mcp-ts/sdk supports two common runtime topologies: direct SSE from browser clients, and outbound bridge connectivity for local agents.
graph LR
subgraph Direct["Direct SDK Flow (SSE)"]
UI[Browser UI]
Hook[useMcp Hook]
API[Next.js /api/mcp]
Mgr[MultiSessionClient]
Store[(Redis/File/Memory)]
MCP[MCP Servers]
UI <--> Hook
Hook -- "HTTP RPC" --> API
API --> Mgr
Mgr -- "SSE events" --> Hook
Mgr <--> Store
Mgr <--> MCP
end
subgraph Bridge["Remote Bridge Flow (mcp-local-agent)"]
direction TB
Spacer[" "]
Agent[Local Agent Runtime]
Remote[Remote Bridge Server]
LocalMcp[Local MCP Servers]
Spacer --- Agent
Agent -- "WSS /connect (outbound)" --> Remote
Agent <--> LocalMcp
style Spacer fill:transparent,stroke:transparent,color:transparent
end
- Direct SDK flow: Browser clients use
useMcpover HTTP + SSE to a server route backed byMultiSessionClient. - Bridge flow:
mcp-local-agentkeeps an outbound authenticated WebSocket to a remote bridge and forwards tool calls to local MCP servers. - Storage: Session state and connection metadata persist in Redis, File, SQLite, or Memory backends.
Note
This package (@mcp-ts/sdk) provides a unified MCP client with support for adapters and storage backends such as AI SDK, Mastra, LangChain, and Redis.
Adapters and storage backends are loaded via optional peer dependencies and must be installed independently. This ensures your application only includes the integrations you explicitly choose, keeping bundle size small and avoiding unnecessary dependencies.
The SDK includes built-in support for Memory and File storage, while additional backends (such as Redis) and adapters can be added without impacting users who don’t need them.
For more details, refer to the documentation and follow the installation guide for each adapter or storage backend.
- AI SDK Installation Guide
- Mastra Installation Guide
- LangChain Installation Guide
- Redis Storage Installation Guide
Contributions are welcome! Please read CONTRIBUTING.md for guidelines on how to contribute.


