
Company News
Socket Named Top Sales Organization by RepVue
Socket won two 2026 Reppy Awards from RepVue, ranking in the top 5% of all sales orgs. AE Alexandra Lister shares what it's like to grow a sales career here.
@storybook/mcp
Advanced tools
MCP server that serves knowledge about your components based on your Storybook stories and documentation
Reusable MCP package for Storybook component and docs knowledge.
Learn more about Storybook at storybook.js.org.
@storybook/mcpcomponents.json (required)docs.json (optional)Reference implementation: apps/self-host-mcp/server.ts
The example repo demonstrates self-hosting patterns for both a Node.js process and a Netlify Function.
import { createStorybookMcpHandler } from '@storybook/mcp';
const storybookMcpHandler = await createStorybookMcpHandler();
export async function handleRequest(request: Request): Promise<Response> {
if (new URL(request.url).pathname === '/mcp') {
return storybookMcpHandler(request);
}
return new Response('Not found', { status: 404 });
}
Use manifestProvider when your manifests are not available from the same origin/path layout:
const storybookMcpHandler = await createStorybookMcpHandler({
manifestProvider: async (_request, path) => {
return asyncReadManifestFromSomewhere(path);
},
});
createStorybookMcpHandlerType:
(options?: StorybookMcpHandlerOptions) => Promise<Handler>;
type Handler = (req: Request, context?: StorybookContext) => Promise<Response>;
Creates and configures an MCP HTTP handler with all built-in docs tools registered.
optionsType: StorybookMcpHandlerOptions
Default: {}
Server-level configuration. The handler uses this at creation time and as a fallback for per-request context.
Type: Promise<Handler>
A fetch-compatible request handler for your /mcp endpoint.
@tmcp/transport-http.Request as context.request.context overrides handler-level options for:
Note:
onSessionInitializecan only be set at handler creation time (inoptions).
import { createStorybookMcpHandler } from '@storybook/mcp';
const mcp = await createStorybookMcpHandler({
manifestProvider: async (_request, path) => {
return await fetchManifest(path);
},
});
export async function handleRequest(request: Request) {
if (new URL(request.url).pathname !== '/mcp') {
return new Response('Not found', { status: 404 });
}
return mcp(request);
}
@storybook/mcp uses the same core fields in two places:
createStorybookMcpHandler(options))handler(request, context))Type:
type StorybookContext = {
request?: Request;
manifestProvider?: (
request: Request | undefined,
path: string,
source?: Source,
) => Promise<string>;
sources?: Source[];
onListAllDocumentation?: (params: {
context: StorybookContext;
manifests: AllManifests;
resultText: string;
sources?: SourceManifests[];
}) => void | Promise<void>;
onGetDocumentation?: (
params:
| {
context: StorybookContext;
input: { id: string; storybookId?: string };
foundDocumentation: ComponentManifest | Doc;
resultText: string;
}
| {
context: StorybookContext;
input: { id: string; storybookId?: string };
},
) => void | Promise<void>;
};
type StorybookMcpHandlerOptions = StorybookContext & {
onSessionInitialize?: (initializeRequestParams: InitializeRequestParams) => void | Promise<void>;
};
[!NOTE]
onSessionInitializeis only used when provided at handler creation time (createStorybookMcpHandler(options)). It is ignored in per-requestcontext.
InitializeRequestParamsis thetmcpinitialize payload type, and its exact structure may change in patch versions. Prefer treating it as an opaque protocol payload unless you need specific fields.
manifestProviderType:
(request: Request | undefined, path: string, source?: Source) => Promise<string>;
Primary extension point for production setups.
Use this when manifests are not available at the default same-origin paths. Your function returns the raw JSON string for each requested manifest path.
For a real customization example (switching between HTTP and filesystem-backed manifest loading), see the Example implementation section above.
Manifest paths requested by built-in tools:
./manifests/components.json (required)./manifests/docs.json (optional)requestType: Request
The incoming HTTP request for the current call, as a Web Fetch API (WHATWG) Request.
This is not a Node.js http.IncomingMessage. In Node runtimes, pass a fetch-compatible Request (for example, Node's global Request from Undici in modern Node versions), or convert your server's native request object before calling the handler.
createStorybookMcpHandler automatically sets this field when you invoke the returned handler with (request, context?).
onListAllDocumentationType:
(params: {
context: StorybookContext;
manifests: AllManifests;
resultText: string;
sources?: SourceManifests[];
}) => void | Promise<void>
Optional callback after list-all-documentation resolves successfully.
onGetDocumentationType:
(
params:
| {
context: StorybookContext;
input: { id: string; storybookId?: string };
foundDocumentation: ComponentManifest | Doc;
resultText: string;
}
| {
context: StorybookContext;
input: { id: string; storybookId?: string };
},
) => void | Promise<void>
Optional callback after get-documentation runs:
foundDocumentation and resultText.context and input.sourcesType: Source[]
Optional multi-source configuration for composing multiple Storybook MCP sources. This is supported but relatively uncommon for most user setups.
SourceType:
type Source = {
id: string;
title: string;
url?: string;
};
Represents one Storybook source in multi-source mode.
SourceManifestsType:
type SourceManifests = {
source: Source;
componentManifest: ComponentManifestMap;
docsManifest?: DocsManifestMap;
error?: string;
};
Represents fetched manifests (or an error) for a single source.
Use these when you want to build your own tmcp server instead of using createStorybookMcpHandler, while still reusing Storybook's docs tools.
This approach is useful when you need to:
[!IMPORTANT] These composition helpers are built for
tmcp'sMcpServerand cannot be directly composed into a server built with the official MCP TypeScript SDK (@modelcontextprotocol/sdk).
Minimal composition example:
import { McpServer } from 'tmcp';
import { ValibotJsonSchemaAdapter } from '@tmcp/adapter-valibot';
import {
addGetStoryDocumentationTool,
addGetDocumentationTool,
addListAllDocumentationTool,
type StorybookContext,
} from '@storybook/mcp';
const adapter = new ValibotJsonSchemaAdapter();
const server = new McpServer(
{ name: 'custom-mcp', version: '1.0.0' },
{
adapter,
capabilities: {
tools: { listChanged: true },
},
},
).withContext<StorybookContext>();
await addListAllDocumentationTool(server);
await addGetDocumentationTool(server);
await addGetStoryDocumentationTool(server);
After registration, wire your own transport and pass StorybookContext per request so tools can resolve manifests (request, manifestProvider, and optional sources).
addListAllDocumentationToolType:
(server: McpServer<any, StorybookContext>, enabled?: () => boolean | Promise<boolean>) =>
Promise<void>;
Registers the list tool that returns all component/docs IDs from manifests.
addGetDocumentationToolType:
(
server: McpServer<any, StorybookContext>,
enabled?: () => boolean | Promise<boolean>,
options?: { multiSource?: boolean },
) => Promise<void>;
Registers documentation lookup by component/docs id.
When options.multiSource is true, the tool schema requires storybookId input.
addGetStoryDocumentationToolType:
(
server: McpServer<any, StorybookContext>,
enabled?: () => boolean | Promise<boolean>,
options?: { multiSource?: boolean },
) => Promise<void>;
Registers story-level documentation lookup for a specific story variant by componentId and storyName.
FAQs
MCP server that serves knowledge about your components based on your Storybook stories and documentation
The npm package @storybook/mcp receives a total of 500,925 weekly downloads. As such, @storybook/mcp popularity was classified as popular.
We found that @storybook/mcp demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 12 open source maintainers collaborating on the project.
Did you know?

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Company News
Socket won two 2026 Reppy Awards from RepVue, ranking in the top 5% of all sales orgs. AE Alexandra Lister shares what it's like to grow a sales career here.

Security News
NIST will stop enriching most CVEs under a new risk-based model, narrowing the NVD's scope as vulnerability submissions continue to surge.

Company News
/Security News
Socket is an initial recipient of OpenAI's Cybersecurity Grant Program, which commits $10M in API credits to defenders securing open source software.