Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Added preservation of request handler params #248

Open
wants to merge 3 commits into
base: main
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
71 changes: 71 additions & 0 deletions src/shared/protocol.test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -7,6 +7,7 @@ import {
Request,
Result,
ServerCapabilities,
JSONRPCRequest,
} from "../types.js";
import { Protocol, mergeCapabilities } from "./protocol.js";
import { Transport } from "./transport.js";
Expand All @@ -16,6 +17,7 @@ class MockTransport implements Transport {
onclose?: () => void;
onerror?: (error: Error) => void;
onmessage?: (message: unknown) => void;
sessionId?: string;

async start(): Promise<void> {}
async close(): Promise<void> {
Expand Down Expand Up @@ -256,6 +258,75 @@ describe("protocol tests", () => {
await expect(requestPromise).resolves.toEqual({ result: "success" });
});
});

describe("request handler params preservation", () => {
let protocol: Protocol<Request, Notification, Result>;
let transport: MockTransport;

beforeEach(() => {
transport = new MockTransport();
protocol = new (class extends Protocol<Request, Notification, Result> {
protected assertCapabilityForMethod(): void {}
protected assertNotificationCapability(): void {}
protected assertRequestHandlerCapability(): void {}
})();
protocol.connect(transport);
});

it("should preserve request params when passed to handler via setRequestHandler", async () => {
const testMethod = "test/paramsMethod";
const testParams = { key1: "value1", key2: 123 };
const testId = 99;

const requestSchema = z.object({
method: z.literal(testMethod),
params: z.object({
key1: z.string(),
key2: z.number(),
}),
});

const mockHandler = jest.fn().mockResolvedValue({ success: true });

protocol.setRequestHandler(requestSchema, mockHandler);

const rawIncomingRequest: JSONRPCRequest = {
jsonrpc: "2.0",
id: testId,
method: testMethod,
params: testParams,
};

if (!transport.onmessage) {
throw new Error("transport.onmessage was not set by protocol.connect()");
}
transport.onmessage(rawIncomingRequest);

await new Promise(setImmediate);

expect(mockHandler).toHaveBeenCalledTimes(1);

const handlerArg = mockHandler.mock.calls[0][0];
const handlerExtraArg = mockHandler.mock.calls[0][1];

expect(handlerArg).toEqual(
expect.objectContaining({
jsonrpc: "2.0",
id: testId,
method: testMethod,
params: testParams,
})
);

expect(handlerExtraArg).toEqual(
expect.objectContaining({
signal: expect.any(AbortSignal),
sessionId: transport.sessionId,
})
);
});
});

});

describe("mergeCapabilities", () => {
Expand Down
85 changes: 73 additions & 12 deletions src/shared/protocol.ts
Original file line number Diff line number Diff line change
@@ -1,4 +1,4 @@
import { ZodLiteral, ZodObject, ZodType, z } from "zod";
import { ZodLiteral, ZodObject, ZodType, z, ZodTypeAny } from "zod";
import {
CancelledNotificationSchema,
ClientCapabilities,
Expand All @@ -15,6 +15,7 @@ import {
ProgressNotificationSchema,
Request,
RequestId,
RequestIdSchema,
Result,
ServerCapabilities,
} from "../types.js";
Expand Down Expand Up @@ -170,9 +171,21 @@ export abstract class Protocol<
controller?.abort(notification.params.reason);
});

this.setNotificationHandler(ProgressNotificationSchema, (notification) => {
this._onprogress(notification as unknown as ProgressNotification);
});
// Register the internal _onprogress handler DIRECTLY, bypassing the
// complex parsing wrapper logic added for general handlers,
// as we know the exact structure we need for progress notifications.
this._notificationHandlers.set(
ProgressNotificationSchema.shape.method.value,
async (rawNotification: JSONRPCNotification) => {
try {
// Directly parse the known ProgressNotificationSchema
const parsedNotification = ProgressNotificationSchema.parse(rawNotification);
this._onprogress(parsedNotification);
} catch (e) {
this._onerror(new Error(`Invalid progress notification structure: ${e instanceof Error ? e.message : String(e)}. Notification ignored. Raw: ${JSON.stringify(rawNotification)}`));
}
}
);

this.setRequestHandler(
PingRequestSchema,
Expand Down Expand Up @@ -571,6 +584,9 @@ export abstract class Protocol<
setRequestHandler<
T extends ZodObject<{
method: ZodLiteral<string>;
jsonrpc?: ZodLiteral<"2.0">;
id?: z.ZodUnion<[z.ZodString, z.ZodNumber]>;
params?: ZodTypeAny;
}>,
>(
requestSchema: T,
Expand All @@ -581,9 +597,31 @@ export abstract class Protocol<
): void {
const method = requestSchema.shape.method.value;
this.assertRequestHandlerCapability(method);
this._requestHandlers.set(method, (request, extra) =>
Promise.resolve(handler(requestSchema.parse(request), extra)),
);

this._requestHandlers.set(method, async (rawRequest: JSONRPCRequest, extra: RequestHandlerExtra): Promise<SendResultT> => {
const parsingSchemaDefinition = {
jsonrpc: z.literal("2.0" as const),
id: RequestIdSchema,
method: z.literal(method),
params: requestSchema.shape.params
? requestSchema.shape.params
: z.unknown().optional(),
};
const finalParsingSchema = z.object(parsingSchemaDefinition).passthrough();

let parsedRequest: z.infer<T>;
try {
parsedRequest = await finalParsingSchema.parseAsync(rawRequest) as z.infer<T>;
} catch (e) {
if (e instanceof z.ZodError) {
const errorDetails = e.errors.map(err => `${err.path.join('.') || 'params'}: ${err.message}`).join('; ');
throw new McpError(ErrorCode.InvalidParams, `Invalid request structure for method ${method}: ${errorDetails}`, e.flatten());
}
throw e;
}

return await Promise.resolve(handler(parsedRequest, extra));
});
}

/**
Expand Down Expand Up @@ -612,16 +650,39 @@ export abstract class Protocol<
setNotificationHandler<
T extends ZodObject<{
method: ZodLiteral<string>;
jsonrpc?: ZodLiteral<"2.0">;
params?: ZodTypeAny;
}>,
>(
notificationSchema: T,
handler: (notification: z.infer<T>) => void | Promise<void>,
): void {
this._notificationHandlers.set(
notificationSchema.shape.method.value,
(notification) =>
Promise.resolve(handler(notificationSchema.parse(notification))),
);
const method = notificationSchema.shape.method.value;

this._notificationHandlers.set(method, async (rawNotification: JSONRPCNotification): Promise<void> => {
const parsingSchemaDefinition = {
jsonrpc: z.literal("2.0" as const),
method: z.literal(method),
params: notificationSchema.shape.params
? notificationSchema.shape.params
: z.unknown().optional(),
};
const finalParsingSchema = z.object(parsingSchemaDefinition).passthrough();

let parsedNotification: z.infer<T>;
try {
parsedNotification = await finalParsingSchema.parseAsync(rawNotification) as z.infer<T>;
} catch (e) {
if (e instanceof z.ZodError) {
this._onerror(new Error(`Invalid notification structure for ${method}: ${e.message}. Notification ignored.`));
return;
}
this._onerror(new Error(`Unexpected error parsing notification ${method}: ${e instanceof Error ? e.message : String(e)}`));
return;
}

await Promise.resolve(handler(parsedNotification));
});
}

/**
Expand Down