diff --git a/README.md b/README.md index a959ae3d..5355ce4d 100644 --- a/README.md +++ b/README.md @@ -379,6 +379,68 @@ server.tool( ## Advanced Usage +### Dynamic Servers + +If you want to offer an initial set of tools/prompts/resources, but later add additional ones based on user action or external state change, you can add/update/remove them _after_ the Server is connected. This will automatically emit the corresponding `listChanged` notificaions: + +```ts +import { McpServer } from "@modelcontextprotocol/sdk/server/mcp.js"; +import { z } from "zod"; + +const server = new McpServer({ + name: "Dynamic Example", + version: "1.0.0" +}); + +server.tool( + "listMessages", + { channel: z.string() }, + async ({ channel }) => ({ + content: [{ type: "text", text: await listMessages(channel) }] + }) +); + +server.tool( + "upgradeAuth", + { permission: z.enum(["write', vadmin"])}, + upgradeAuth +) + +// Connect with the existing set of tools +const transport = new StdioServerTransport(); +await server.connect(transport); + +// Any mutations after connection result in `listChanged` notifications so the client knows to refresh +async function upgradeAuth({permission}) { + const { ok, err, previous } = await upgradeAuthAndStoreToken(permission) + + if (!ok) return {content: [{ type: "text", text: `Error: ${err}` }]} + + // If we previously had read-only access, we need to add 'putMessage' now we can use it + if (previous === "read") { + server.tool( + "putMessage", + { channel: z.string(), message: z.string() }, + async ({ channel, message }) => ({ + content: [{ type: "text", text: await putMessage(channel, string) }] + }) + ); + } + + // If we've just upgraded to 'write' permissions, we can still call 'upgradeAuth' but can only upgrade to 'admin' + if (permission === 'write') { + server.updateTool( + "upgradeAuth", + { permission: z.enum(["admin"])}, // change param validation + upgradeAuth + ) + } else { + // If we're on admin, we no longer have anywhere to upgrade to + server.removeTool("upgradeAuth") + } +} +``` + ### Low-Level Server For more control, you can use the low-level Server class directly: diff --git a/src/inMemory.ts b/src/inMemory.ts index 106a9e7e..b34bc93e 100644 --- a/src/inMemory.ts +++ b/src/inMemory.ts @@ -7,10 +7,10 @@ import { JSONRPCMessage } from "./types.js"; export class InMemoryTransport implements Transport { private _otherTransport?: InMemoryTransport; private _messageQueue: JSONRPCMessage[] = []; + _messageBuffer: JSONRPCMessage[] = []; onclose?: () => void; onerror?: (error: Error) => void; - onmessage?: (message: JSONRPCMessage) => void; sessionId?: string; /** @@ -52,4 +52,8 @@ export class InMemoryTransport implements Transport { this._otherTransport._messageQueue.push(message); } } + + onmessage(message: JSONRPCMessage) { + this._messageBuffer.push(message) + } } diff --git a/src/server/mcp.test.ts b/src/server/mcp.test.ts index 2e91a568..4d184b62 100644 --- a/src/server/mcp.test.ts +++ b/src/server/mcp.test.ts @@ -11,6 +11,7 @@ import { ListPromptsResultSchema, GetPromptResultSchema, CompleteResultSchema, + Notification, } from "../types.js"; import { ResourceTemplate } from "./mcp.js"; import { completable } from "./completable.js"; @@ -35,10 +36,14 @@ describe("McpServer", () => { { capabilities: { logging: {} } }, ); + const notifications: Notification[] = [] const client = new Client({ name: "test client", version: "1.0", }); + client.fallbackNotificationHandler = async (notification) => { + notifications.push(notification) + } const [clientTransport, serverTransport] = InMemoryTransport.createLinkedPair(); @@ -55,6 +60,16 @@ describe("McpServer", () => { data: "Test log message", }), ).resolves.not.toThrow(); + + expect(notifications).toMatchObject([ + { + "method": "notifications/message", + params: { + level: "info", + data: "Test log message", + } + } + ]) }); }); @@ -97,10 +112,14 @@ describe("tool()", () => { name: "test server", version: "1.0", }); + const notifications: Notification[] = [] const client = new Client({ name: "test client", version: "1.0", }); + client.fallbackNotificationHandler = async (notification) => { + notifications.push(notification) + } mcpServer.tool("test", async () => ({ content: [ @@ -116,7 +135,7 @@ describe("tool()", () => { await Promise.all([ client.connect(clientTransport), - mcpServer.server.connect(serverTransport), + mcpServer.connect(serverTransport), ]); const result = await client.request( @@ -131,6 +150,269 @@ describe("tool()", () => { expect(result.tools[0].inputSchema).toEqual({ type: "object", }); + + // Adding the tool before the connection was established means no notification was sent + expect(notifications).toHaveLength(0) + + // Adding another tool triggers the update notification + mcpServer.tool("test2", async () => ({ + content: [ + { + type: "text", + text: "Test response", + }, + ], + })); + + // Yield event loop to let the notification fly + await new Promise(process.nextTick) + + expect(notifications).toMatchObject([ + { + method: "notifications/tools/list_changed", + } + ]) + }); + + test("should update existing tool", async () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + const notifications: Notification[] = [] + const client = new Client({ + name: "test client", + version: "1.0", + }); + client.fallbackNotificationHandler = async (notification) => { + notifications.push(notification) + } + + // Register initial tool + mcpServer.tool("test", async () => ({ + content: [ + { + type: "text", + text: "Initial response", + }, + ], + })); + + // Update the tool + mcpServer.updateTool("test", async () => ({ + content: [ + { + type: "text", + text: "Updated response", + }, + ], + })); + + const [clientTransport, serverTransport] = + InMemoryTransport.createLinkedPair(); + + await Promise.all([ + client.connect(clientTransport), + mcpServer.connect(serverTransport), + ]); + + // Call the tool and verify we get the updated response + const result = await client.request( + { + method: "tools/call", + params: { + name: "test", + }, + }, + CallToolResultSchema, + ); + + expect(result.content).toEqual([ + { + type: "text", + text: "Updated response", + }, + ]); + + // Update happened before transport was connected, so no notifications should be expected + expect(notifications).toHaveLength(0) + }); + + test("should update tool with schema", async () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + const notifications: Notification[] = [] + const client = new Client({ + name: "test client", + version: "1.0", + }); + client.fallbackNotificationHandler = async (notification) => { + notifications.push(notification) + } + + // Register initial tool + mcpServer.tool( + "test", + { + name: z.string(), + }, + async ({ name }) => ({ + content: [ + { + type: "text", + text: `Initial: ${name}`, + }, + ], + }), + ); + + // Update the tool with a different schema + mcpServer.updateTool( + "test", + { + name: z.string(), + value: z.number(), + }, + async ({ name, value }) => ({ + content: [ + { + type: "text", + text: `Updated: ${name}, ${value}`, + }, + ], + }), + ); + + const [clientTransport, serverTransport] = + InMemoryTransport.createLinkedPair(); + + await Promise.all([ + client.connect(clientTransport), + mcpServer.connect(serverTransport), + ]); + + // Verify the schema was updated + const listResult = await client.request( + { + method: "tools/list", + }, + ListToolsResultSchema, + ); + + expect(listResult.tools[0].inputSchema).toMatchObject({ + properties: { + name: { type: "string" }, + value: { type: "number" }, + }, + }); + + // Call the tool with the new schema + const callResult = await client.request( + { + method: "tools/call", + params: { + name: "test", + arguments: { + name: "test", + value: 42, + }, + }, + }, + CallToolResultSchema, + ); + + expect(callResult.content).toEqual([ + { + type: "text", + text: "Updated: test, 42", + }, + ]); + + // Update happened before transport was connected, so no notifications should be expected + expect(notifications).toHaveLength(0) + }); + + test("should throw when updating non-existent tool", () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + + expect(() => { + mcpServer.updateTool("nonexistent", async () => ({ + content: [ + { + type: "text", + text: "Updated response", + }, + ], + })); + }).toThrow(/not registered/); + }); + + test("should send tool list changed notifications when connected", async () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + const notifications: Notification[] = [] + const client = new Client({ + name: "test client", + version: "1.0", + }); + client.fallbackNotificationHandler = async (notification) => { + notifications.push(notification) + } + + // Register initial tool + mcpServer.tool("test", async () => ({ + content: [ + { + type: "text", + text: "Test response", + }, + ], + })); + + const [clientTransport, serverTransport] = + InMemoryTransport.createLinkedPair(); + + await Promise.all([ + client.connect(clientTransport), + mcpServer.connect(serverTransport), + ]); + + expect(notifications).toHaveLength(0) + + // Now update the tool + mcpServer.updateTool("test", async () => ({ + content: [ + { + type: "text", + text: "Updated response", + }, + ], + })); + + // Yield event loop to let the notification fly + await new Promise(process.nextTick) + + expect(notifications).toMatchObject([ + { method: "notifications/tools/list_changed" } + ]) + + // Now delete the tool + mcpServer.removeTool('test') + + // Yield event loop to let the notification fly + await new Promise(process.nextTick) + + expect(notifications).toMatchObject([ + { method: "notifications/tools/list_changed" }, + { method: "notifications/tools/list_changed" }, + ]) }); test("should register tool with args schema", async () => { @@ -318,7 +600,7 @@ describe("tool()", () => { // This should succeed mcpServer.tool("tool1", () => ({ content: [] })); - + // This should also succeed and not throw about request handlers mcpServer.tool("tool2", () => ({ content: [] })); }); @@ -557,24 +839,374 @@ describe("resource()", () => { ], })); - const [clientTransport, serverTransport] = - InMemoryTransport.createLinkedPair(); + const [clientTransport, serverTransport] = + InMemoryTransport.createLinkedPair(); + + await Promise.all([ + client.connect(clientTransport), + mcpServer.server.connect(serverTransport), + ]); + + const result = await client.request( + { + method: "resources/list", + }, + ListResourcesResultSchema, + ); + + expect(result.resources).toHaveLength(1); + expect(result.resources[0].name).toBe("test"); + expect(result.resources[0].uri).toBe("test://resource"); + }); + + test("should update resource with uri", async () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + const notifications: Notification[] = []; + const client = new Client({ + name: "test client", + version: "1.0", + }); + client.fallbackNotificationHandler = async (notification) => { + notifications.push(notification); + }; + + // Register initial resource + mcpServer.resource("test", "test://resource", async () => ({ + contents: [ + { + uri: "test://resource", + text: "Initial content", + }, + ], + })); + + // Update the resource + mcpServer.updateResource("test", "test://resource", async () => ({ + contents: [ + { + uri: "test://resource", + text: "Updated content", + }, + ], + })); + + const [clientTransport, serverTransport] = + InMemoryTransport.createLinkedPair(); + + await Promise.all([ + client.connect(clientTransport), + mcpServer.connect(serverTransport), + ]); + + // Read the resource and verify we get the updated content + const result = await client.request( + { + method: "resources/read", + params: { + uri: "test://resource", + }, + }, + ReadResourceResultSchema, + ); + + expect(result.contents).toHaveLength(1); + expect(result.contents[0].text).toBe("Updated content"); + + // Update happened before transport was connected, so no notifications should be expected + expect(notifications).toHaveLength(0); + }); + + test("should update resource template", async () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + const notifications: Notification[] = []; + const client = new Client({ + name: "test client", + version: "1.0", + }); + client.fallbackNotificationHandler = async (notification) => { + notifications.push(notification); + }; + + // Register initial resource template + mcpServer.resource( + "test", + new ResourceTemplate("test://resource/{id}", { list: undefined }), + async (uri) => ({ + contents: [ + { + uri: uri.href, + text: "Initial content", + }, + ], + }), + ); + + // Update the resource template + mcpServer.updateResource( + "test", + new ResourceTemplate("test://resource/{id}", { list: undefined }), + async (uri) => ({ + contents: [ + { + uri: uri.href, + text: "Updated content", + }, + ], + }), + ); + + const [clientTransport, serverTransport] = + InMemoryTransport.createLinkedPair(); + + await Promise.all([ + client.connect(clientTransport), + mcpServer.connect(serverTransport), + ]); + + // Read the resource and verify we get the updated content + const result = await client.request( + { + method: "resources/read", + params: { + uri: "test://resource/123", + }, + }, + ReadResourceResultSchema, + ); + + expect(result.contents).toHaveLength(1); + expect(result.contents[0].text).toBe("Updated content"); + + // Update happened before transport was connected, so no notifications should be expected + expect(notifications).toHaveLength(0); + }); + + test("should throw when updating non-existent resource", () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + + // Attempt to update a non-existent static resource + expect(() => { + mcpServer.updateResource("test", "test://nonexistent", async () => ({ + contents: [ + { + uri: "test://nonexistent", + text: "Updated content", + }, + ], + })); + }).toThrow(/not registered/); + + // Attempt to update a non-existent resource template + expect(() => { + mcpServer.updateResource( + "nonexistent", + new ResourceTemplate("test://nonexistent/{id}", { list: undefined }), + async () => ({ + contents: [ + { + uri: "test://nonexistent/123", + text: "Updated content", + }, + ], + }), + ); + }).toThrow(/not registered/); + }); + + test("should send resource list changed notification when connected", async () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + const notifications: Notification[] = []; + const client = new Client({ + name: "test client", + version: "1.0", + }); + client.fallbackNotificationHandler = async (notification) => { + notifications.push(notification); + }; + + // Register initial resource + mcpServer.resource("test", "test://resource", async () => ({ + contents: [ + { + uri: "test://resource", + text: "Test content", + }, + ], + })); + + const [clientTransport, serverTransport] = InMemoryTransport.createLinkedPair(); + + await Promise.all([ + client.connect(clientTransport), + mcpServer.connect(serverTransport), + ]); + + expect(notifications).toHaveLength(0); + + // Now update the resource while connected + mcpServer.updateResource("test", "test://resource", async () => ({ + contents: [ + { + uri: "test://resource", + text: "Updated content", + }, + ], + })); + + // Yield event loop to let the notification fly + await new Promise(process.nextTick); + + expect(notifications).toMatchObject([ + { method: "notifications/resources/list_changed" } + ]); + }); + + test("should remove resource and send notification when connected", async () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + const notifications: Notification[] = []; + const client = new Client({ + name: "test client", + version: "1.0", + }); + client.fallbackNotificationHandler = async (notification) => { + notifications.push(notification); + }; + + // Register initial resources + mcpServer.resource("resource1", "test://resource1", async () => ({ + contents: [{ uri: "test://resource1", text: "Resource 1 content" }], + })); + + mcpServer.resource("resource2", "test://resource2", async () => ({ + contents: [{ uri: "test://resource2", text: "Resource 2 content" }], + })); + + const [clientTransport, serverTransport] = InMemoryTransport.createLinkedPair(); + + await Promise.all([ + client.connect(clientTransport), + mcpServer.connect(serverTransport), + ]); + + // Verify both resources are registered + let result = await client.request( + { method: "resources/list" }, + ListResourcesResultSchema, + ); + + expect(result.resources).toHaveLength(2); + + expect(notifications).toHaveLength(0); + + // Remove a resource + const removed = mcpServer.removeResource("test://resource1"); + expect(removed).toBe(true); + + // Yield event loop to let the notification fly + await new Promise(process.nextTick); + + // Should have sent notification + expect(notifications).toMatchObject([ + { method: "notifications/resources/list_changed" } + ]); + + // Verify the resource was removed + result = await client.request( + { method: "resources/list" }, + ListResourcesResultSchema, + ); + + expect(result.resources).toHaveLength(1); + expect(result.resources[0].uri).toBe("test://resource2"); + + // Removing a non-existent resource should return false but not send notification + const notificationCount = notifications.length; + const notRemoved = mcpServer.removeResource("test://nonexistent"); + expect(notRemoved).toBe(false); + + // No new notifications should have been sent + await new Promise(process.nextTick); + expect(notifications.length).toBe(notificationCount); + }); + + test("should remove resource template and send notification when connected", async () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + const notifications: Notification[] = []; + const client = new Client({ + name: "test client", + version: "1.0", + }); + client.fallbackNotificationHandler = async (notification) => { + notifications.push(notification); + }; + + // Register resource template + mcpServer.resource( + "template", + new ResourceTemplate("test://resource/{id}", { list: undefined }), + async (uri) => ({ + contents: [ + { + uri: uri.href, + text: "Template content", + }, + ], + }), + ); + + const [clientTransport, serverTransport] = InMemoryTransport.createLinkedPair(); await Promise.all([ client.connect(clientTransport), - mcpServer.server.connect(serverTransport), + mcpServer.connect(serverTransport), ]); + // Verify template is registered const result = await client.request( - { - method: "resources/list", - }, - ListResourcesResultSchema, + { method: "resources/templates/list" }, + ListResourceTemplatesResultSchema, ); - expect(result.resources).toHaveLength(1); - expect(result.resources[0].name).toBe("test"); - expect(result.resources[0].uri).toBe("test://resource"); + expect(result.resourceTemplates).toHaveLength(1); + expect(notifications).toHaveLength(0); + + // Remove the template + const removed = mcpServer.removeResource("template"); + expect(removed).toBe(true); + + // Yield event loop to let the notification fly + await new Promise(process.nextTick); + + // Should have sent notification + expect(notifications).toMatchObject([ + { method: "notifications/resources/list_changed" } + ]); + + // Verify the template was removed + const result2 = await client.request( + { method: "resources/templates/list" }, + ListResourceTemplatesResultSchema, + ); + + expect(result2.resourceTemplates).toHaveLength(0); }); test("should register resource with metadata", async () => { @@ -815,7 +1447,7 @@ describe("resource()", () => { }, ], })); - + // This should also succeed and not throw about request handlers mcpServer.resource("resource2", "test://resource2", async () => ({ contents: [ @@ -1113,6 +1745,331 @@ describe("prompt()", () => { expect(result.prompts[0].name).toBe("test"); expect(result.prompts[0].arguments).toBeUndefined(); }); + test("should update existing prompt", async () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + const notifications: Notification[] = []; + const client = new Client({ + name: "test client", + version: "1.0", + }); + client.fallbackNotificationHandler = async (notification) => { + notifications.push(notification); + }; + + // Register initial prompt + mcpServer.prompt("test", async () => ({ + messages: [ + { + role: "assistant", + content: { + type: "text", + text: "Initial response", + }, + }, + ], + })); + + // Update the prompt + mcpServer.updatePrompt("test", async () => ({ + messages: [ + { + role: "assistant", + content: { + type: "text", + text: "Updated response", + }, + }, + ], + })); + + const [clientTransport, serverTransport] = + InMemoryTransport.createLinkedPair(); + + await Promise.all([ + client.connect(clientTransport), + mcpServer.connect(serverTransport), + ]); + + // Call the prompt and verify we get the updated response + const result = await client.request( + { + method: "prompts/get", + params: { + name: "test", + }, + }, + GetPromptResultSchema, + ); + + expect(result.messages).toHaveLength(1); + expect(result.messages[0].content.text).toBe("Updated response"); + + // Update happened before transport was connected, so no notifications should be expected + expect(notifications).toHaveLength(0); + }); + + test("should update prompt with schema", async () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + const notifications: Notification[] = []; + const client = new Client({ + name: "test client", + version: "1.0", + }); + client.fallbackNotificationHandler = async (notification) => { + notifications.push(notification); + }; + + // Register initial prompt + mcpServer.prompt( + "test", + { + name: z.string(), + }, + async ({ name }) => ({ + messages: [ + { + role: "assistant", + content: { + type: "text", + text: `Initial: ${name}`, + }, + }, + ], + }), + ); + + // Update the prompt with a different schema + mcpServer.updatePrompt( + "test", + { + name: z.string(), + value: z.string(), + }, + async ({ name, value }) => ({ + messages: [ + { + role: "assistant", + content: { + type: "text", + text: `Updated: ${name}, ${value}`, + }, + }, + ], + }), + ); + + const [clientTransport, serverTransport] = + InMemoryTransport.createLinkedPair(); + + await Promise.all([ + client.connect(clientTransport), + mcpServer.connect(serverTransport), + ]); + + // Verify the schema was updated + const listResult = await client.request( + { + method: "prompts/list", + }, + ListPromptsResultSchema, + ); + + expect(listResult.prompts[0].arguments).toHaveLength(2); + expect(listResult.prompts[0].arguments?.map(a => a.name).sort()).toEqual(["name", "value"]); + + // Call the prompt with the new schema + const getResult = await client.request( + { + method: "prompts/get", + params: { + name: "test", + arguments: { + name: "test", + value: "value", + }, + }, + }, + GetPromptResultSchema, + ); + + expect(getResult.messages).toHaveLength(1); + expect(getResult.messages[0].content.text).toBe("Updated: test, value"); + + // Update happened before transport was connected, so no notifications should be expected + expect(notifications).toHaveLength(0); + }); + + test("should throw when updating non-existent prompt", () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + + expect(() => { + mcpServer.updatePrompt("nonexistent", async () => ({ + messages: [ + { + role: "assistant", + content: { + type: "text", + text: "Updated response", + }, + }, + ], + })); + }).toThrow(/not registered/); + }); + + test("should send prompt list changed notification when connected", async () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + const notifications: Notification[] = []; + const client = new Client({ + name: "test client", + version: "1.0", + }); + client.fallbackNotificationHandler = async (notification) => { + notifications.push(notification); + }; + + // Register initial prompt + mcpServer.prompt("test", async () => ({ + messages: [ + { + role: "assistant", + content: { + type: "text", + text: "Test response", + }, + }, + ], + })); + + const [clientTransport, serverTransport] = InMemoryTransport.createLinkedPair(); + + await Promise.all([ + client.connect(clientTransport), + mcpServer.connect(serverTransport), + ]); + + expect(notifications).toHaveLength(0); + + // Now update the prompt while connected + mcpServer.updatePrompt("test", async () => ({ + messages: [ + { + role: "assistant", + content: { + type: "text", + text: "Updated response", + }, + }, + ], + })); + + // Yield event loop to let the notification fly + await new Promise(process.nextTick); + + expect(notifications).toMatchObject([ + { method: "notifications/prompts/list_changed" } + ]); + }); + + test("should remove prompt and send notification when connected", async () => { + const mcpServer = new McpServer({ + name: "test server", + version: "1.0", + }); + const notifications: Notification[] = []; + const client = new Client({ + name: "test client", + version: "1.0", + }); + client.fallbackNotificationHandler = async (notification) => { + notifications.push(notification); + }; + + // Register initial prompts + mcpServer.prompt("prompt1", async () => ({ + messages: [ + { + role: "assistant", + content: { + type: "text", + text: "Prompt 1 response", + }, + }, + ], + })); + + mcpServer.prompt("prompt2", async () => ({ + messages: [ + { + role: "assistant", + content: { + type: "text", + text: "Prompt 2 response", + }, + }, + ], + })); + + const [clientTransport, serverTransport] = InMemoryTransport.createLinkedPair(); + + await Promise.all([ + client.connect(clientTransport), + mcpServer.connect(serverTransport), + ]); + + // Verify both prompts are registered + let result = await client.request( + { method: "prompts/list" }, + ListPromptsResultSchema, + ); + + expect(result.prompts).toHaveLength(2); + expect(result.prompts.map(p => p.name).sort()).toEqual(["prompt1", "prompt2"]); + + expect(notifications).toHaveLength(0); + + // Remove a prompt + const removed = mcpServer.removePrompt("prompt1"); + expect(removed).toBe(true); + + // Yield event loop to let the notification fly + await new Promise(process.nextTick); + + // Should have sent notification + expect(notifications).toMatchObject([ + { method: "notifications/prompts/list_changed" } + ]); + + // Verify the prompt was removed + result = await client.request( + { method: "prompts/list" }, + ListPromptsResultSchema, + ); + + expect(result.prompts).toHaveLength(1); + expect(result.prompts[0].name).toBe("prompt2"); + + // Removing a non-existent prompt should return false but not send notification + const notificationCount = notifications.length; + const notRemoved = mcpServer.removePrompt("nonexistent"); + expect(notRemoved).toBe(false); + + // No new notifications should have been sent + await new Promise(process.nextTick); + expect(notifications.length).toBe(notificationCount); + }); test("should register prompt with args schema", async () => { const mcpServer = new McpServer({ @@ -1321,7 +2278,7 @@ describe("prompt()", () => { }, ], })); - + // This should also succeed and not throw about request handlers mcpServer.prompt("prompt2", async () => ({ messages: [ diff --git a/src/server/mcp.ts b/src/server/mcp.ts index 8f4a909c..f95e3335 100644 --- a/src/server/mcp.ts +++ b/src/server/mcp.ts @@ -87,7 +87,7 @@ export class McpServer { if (this._toolHandlersInitialized) { return; } - + this.server.assertCanSetRequestHandler( ListToolsRequestSchema.shape.method.value, ); @@ -96,8 +96,10 @@ export class McpServer { ); this.server.registerCapabilities({ - tools: {}, - }); + tools: { + listChanged: true + } + }) this.server.setRequestHandler( ListToolsRequestSchema, @@ -285,8 +287,10 @@ export class McpServer { ); this.server.registerCapabilities({ - resources: {}, - }); + resources: { + listChanged: true + } + }) this.server.setRequestHandler( ListResourcesRequestSchema, @@ -366,7 +370,7 @@ export class McpServer { ); this.setCompletionRequestHandler(); - + this._resourceHandlersInitialized = true; } @@ -385,8 +389,10 @@ export class McpServer { ); this.server.registerCapabilities({ - prompts: {}, - }); + prompts: { + listChanged: true + } + }) this.server.setRequestHandler( ListPromptsRequestSchema, @@ -438,7 +444,7 @@ export class McpServer { ); this.setCompletionRequestHandler(); - + this._promptHandlersInitialized = true; } @@ -480,6 +486,57 @@ export class McpServer { name: string, uriOrTemplate: string | ResourceTemplate, ...rest: unknown[] + ): void { + this._setResource(name, uriOrTemplate, rest, false); + } + + /** + * Updates a resource `name` at a fixed URI, which will use the given callback to respond to read requests. + */ + updateResource(name: string, uri: string, readCallback: ReadResourceCallback): void; + + /** + * Updates a resource `name` at a fixed URI with metadata, which will use the given callback to respond to read requests. + */ + updateResource( + name: string, + uri: string, + metadata: ResourceMetadata, + readCallback: ReadResourceCallback, + ): void; + + /** + * Updates a resource `name` with a template pattern, which will use the given callback to respond to read requests. + */ + updateResource( + name: string, + template: ResourceTemplate, + readCallback: ReadResourceTemplateCallback, + ): void; + + /** + * Updates a resource `name` with a template pattern and metadata, which will use the given callback to respond to read requests. + */ + updateResource( + name: string, + template: ResourceTemplate, + metadata: ResourceMetadata, + readCallback: ReadResourceTemplateCallback, + ): void; + + updateResource( + name: string, + uriOrTemplate: string | ResourceTemplate, + ...rest: unknown[] + ): void { + this._setResource(name, uriOrTemplate, rest, true); + } + + private _setResource( + name: string, + uriOrTemplate: string | ResourceTemplate, + rest: unknown[], + update: boolean ): void { let metadata: ResourceMetadata | undefined; if (typeof rest[0] === "object") { @@ -491,8 +548,14 @@ export class McpServer { | ReadResourceTemplateCallback; if (typeof uriOrTemplate === "string") { - if (this._registeredResources[uriOrTemplate]) { - throw new Error(`Resource ${uriOrTemplate} is already registered`); + if (update) { + if (!this._registeredResources[uriOrTemplate]) { + throw new Error(`Resource ${uriOrTemplate} is not registered`); + } + } else { + if (this._registeredResources[uriOrTemplate]) { + throw new Error(`Resource ${uriOrTemplate} is already registered`); + } } this._registeredResources[uriOrTemplate] = { @@ -501,8 +564,14 @@ export class McpServer { readCallback: readCallback as ReadResourceCallback, }; } else { - if (this._registeredResourceTemplates[name]) { - throw new Error(`Resource template ${name} is already registered`); + if (update) { + if (!this._registeredResourceTemplates[name]) { + throw new Error(`Resource template ${name} is not registered`); + } + } else { + if (this._registeredResourceTemplates[name]) { + throw new Error(`Resource template ${name} is already registered`); + } } this._registeredResourceTemplates[name] = { @@ -513,6 +582,37 @@ export class McpServer { } this.setResourceRequestHandlers(); + if (this.isConnected()) { + this.server.sendResourceListChanged(); + } + } + + /** + * Removes a previously registered static resource. + * @param uri The exact URI of the resource to remove. + * @returns True if the resource was found and removed, false otherwise. + */ + removeResource(uri: string): boolean; + /** + * Removes a previously registered resource template. + * @param name The name of the resource template to remove. + * @returns True if the resource template was found and removed, false otherwise. + */ + removeResource(name: string): boolean; + removeResource(uriOrName: string): boolean { + let removed = false; + if (this._registeredResources[uriOrName]) { + delete this._registeredResources[uriOrName]; + removed = true; + } else if (this._registeredResourceTemplates[uriOrName]) { + delete this._registeredResourceTemplates[uriOrName]; + removed = true; + } + + if (removed && this.isConnected()) { + this.server.sendResourceListChanged(); + } + return removed; } /** @@ -545,8 +645,55 @@ export class McpServer { ): void; tool(name: string, ...rest: unknown[]): void { - if (this._registeredTools[name]) { - throw new Error(`Tool ${name} is already registered`); + this._setTool(name, rest, false); + } + + /** + * Updates a zero-argument tool `name`, which will run the given function when the client calls it. + */ + updateTool(name: string, cb: ToolCallback): void; + + /** + * Updates a zero-argument tool `name` (with a description) which will run the given function when the client calls it. + */ + updateTool(name: string, description: string, cb: ToolCallback): void; + + /** + * Updates a tool `name` accepting the given arguments, which must be an object containing named properties associated with Zod schemas. When the client calls it, the function will be run with the parsed and validated arguments. + */ + updateTool( + name: string, + paramsSchema: Args, + cb: ToolCallback, + ): void; + + /** + * Updates a tool `name` (with a description) accepting the given arguments, which must be an object containing named properties associated with Zod schemas. When the client calls it, the function will be run with the parsed and validated arguments. + */ + updateTool( + name: string, + description: string, + paramsSchema: Args, + cb: ToolCallback, + ): void; + + updateTool(name: string, ...rest: unknown[]): void { + this._setTool(name, rest, true); + } + + private _setTool( + name: string, + rest: unknown[], + update: boolean + ): void { + if (update) { + if (!this._registeredTools[name]) { + throw new Error(`Tool ${name} is not registered`); + } + } else { + if (this._registeredTools[name]) { + throw new Error(`Tool ${name} is already registered`); + } } let description: string | undefined; @@ -568,6 +715,25 @@ export class McpServer { }; this.setToolRequestHandlers(); + if (this.isConnected()) { + this.server.sendToolListChanged(); + } + } + + /** + * Removes a previously registered tool. + * @param name The name of the tool to remove. + * @returns True if the tool was found and removed, false otherwise. + */ + removeTool(name: string): boolean { + if (this._registeredTools[name]) { + delete this._registeredTools[name]; + if (this.isConnected()) { + this.server.sendToolListChanged(); + } + return true; + } + return false; } /** @@ -600,8 +766,55 @@ export class McpServer { ): void; prompt(name: string, ...rest: unknown[]): void { - if (this._registeredPrompts[name]) { - throw new Error(`Prompt ${name} is already registered`); + this._setPrompt(name, rest, false); + } + + /** + * Updates a zero-argument prompt `name`, which will run the given function when the client calls it. + */ + updatePrompt(name: string, cb: PromptCallback): void; + + /** + * Updates a zero-argument prompt `name` (with a description) which will run the given function when the client calls it. + */ + updatePrompt(name: string, description: string, cb: PromptCallback): void; + + /** + * Updates a prompt `name` accepting the given arguments, which must be an object containing named properties associated with Zod schemas. When the client calls it, the function will be run with the parsed and validated arguments. + */ + updatePrompt( + name: string, + argsSchema: Args, + cb: PromptCallback, + ): void; + + /** + * Updates a prompt `name` (with a description) accepting the given arguments, which must be an object containing named properties associated with Zod schemas. When the client calls it, the function will be run with the parsed and validated arguments. + */ + updatePrompt( + name: string, + description: string, + argsSchema: Args, + cb: PromptCallback, + ): void; + + updatePrompt(name: string, ...rest: unknown[]): void { + this._setPrompt(name, rest, true); + } + + private _setPrompt( + name: string, + rest: unknown[], + update: boolean + ): void { + if (update) { + if (!this._registeredPrompts[name]) { + throw new Error(`Prompt ${name} is not registered`); + } + } else { + if (this._registeredPrompts[name]) { + throw new Error(`Prompt ${name} is already registered`); + } } let description: string | undefined; @@ -622,6 +835,33 @@ export class McpServer { }; this.setPromptRequestHandlers(); + if (this.isConnected()) { + this.server.sendPromptListChanged() + } + } + + /** + * Removes a previously registered prompt. + * @param name The name of the prompt to remove. + * @returns True if the prompt was found and removed, false otherwise. + */ + removePrompt(name: string): boolean { + if (this._registeredPrompts[name]) { + delete this._registeredPrompts[name] + if (this.isConnected()) { + this.server.sendPromptListChanged() + } + return true + } + return false + } + + /** + * Checks if the server is connected to a transport. + * @returns True if the server is connected + */ + isConnected() { + return this.server.transport !== undefined } }