Major Changes
- #1783
045c62aThanks @felixweinberger! - Remove
WebSocketClientTransport. WebSocket is not a spec-defined transport; use stdio or Streamable HTTP. TheTransportinterface remains exported for custom implementations. See #142.
Minor Changes
-
#1527
dc896e1Thanks @felixweinberger! - Add
discoverOAuthServerInfo()function and unified discovery state caching for OAuth- New
discoverOAuthServerInfo(serverUrl)export that performs RFC 9728 protected resource metadata discovery followed by authorization server metadata discovery in a single call. Use this for operations like token refresh and revocation that need the authorization server
URL outside ofauth(). - New
OAuthDiscoveryStatetype and optionalOAuthClientProvidermethodssaveDiscoveryState()/discoveryState()allow providers to persist all discovery results (auth server URL, resource metadata URL, resource metadata, auth server metadata) across sessions. This
avoids redundant discovery requests and handles browser redirect scenarios where discovery state would otherwise be lost. - New
'discovery'scope forinvalidateCredentials()to clear cached discovery state. - New
OAuthServerInfotype exported for the return value ofdiscoverOAuthServerInfo().
- New
-
#1673
462c3fcThanks @KKonstantinov! - refactor: extract task
orchestration from Protocol into TaskManagerBreaking changes:
taskStore,taskMessageQueue,defaultTaskPollInterval, andmaxTaskQueueSizemoved fromProtocolOptionstocapabilities.tasksonClientOptions/ServerOptions
-
#1763
6711ed9Thanks @felixweinberger! - Add
reconnectionScheduleroption toStreamableHTTPClientTransport. Lets non-persistent environments (serverless, mobile, desktop sleep/wake) override the defaultsetTimeout-based SSE reconnection scheduling. The scheduler may return a cancel function that is invoked on
transport.close(). -
#1443
4aec5f7Thanks @NSeydoux! - The client credentials providers now
support scopes being added to the token request. -
#1689
0784be1Thanks @felixweinberger! - Support Standard Schema
for tool and prompt schemasTool and prompt registration now accepts any schema library that implements the Standard Schema spec: Zod v4, Valibot, ArkType, and others.
RegisteredTool.inputSchema,RegisteredTool.outputSchema, andRegisteredPrompt.argsSchemanow use
StandardSchemaWithJSON(requires both~standard.validateand~standard.jsonSchema) instead of the Zod-specificAnySchematype.Zod v4 schemas continue to work unchanged — Zod v4 implements the required interfaces natively.
import { type } from 'arktype'; server.registerTool( 'greet', { inputSchema: type({ name: 'string' }) }, async ({ name }) => ({ content: [{ type: 'text', text: `Hello, ${name}!` }] }) );
For raw JSON Schema (e.g. TypeBox output), use the new
fromJsonSchemaadapter:import { fromJsonSchema, AjvJsonSchemaValidator } from '@modelcontextprotocol/core'; server.registerTool( 'greet', { inputSchema: fromJsonSchema({ type: 'object', properties: { name: { type: 'string' } } }, new AjvJsonSchemaValidator()) }, handler );
Breaking changes:
experimental.tasks.getTaskResult()no longer accepts aresultSchemaparameter. ReturnsGetTaskPayloadResult(a looseResult); cast to the expected type at the call site.- Removed unused exports from
@modelcontextprotocol/core:SchemaInput,schemaToJson,parseSchemaAsync,getSchemaShape,getSchemaDescription,isOptionalSchema,unwrapOptionalSchema. Use the newstandardSchemaToJsonSchemaandvalidateStandardSchemainstead. completable()remains Zod-specific (it relies on Zod's.shapeintrospection).
-
#1710
e563e63Thanks @felixweinberger! - AddAuthProviderfor
composable bearer-token auth; transports adaptOAuthClientProviderautomatically-
New
AuthProviderinterface:{ token(): Promise<string | undefined>; onUnauthorized?(ctx): Promise<void> }. Transports calltoken()before every request andonUnauthorized()on 401 (then retry once). -
Transport
authProvideroption now acceptsAuthProvider | OAuthClientProvider. OAuth providers are adapted internally viaadaptOAuthProvider()— no changes needed to existingOAuthClientProviderimplementations. -
For simple bearer tokens (API keys, gateway-managed tokens, service accounts):
{ authProvider: { token: async () => myKey } }— one-line object literal, no class. -
New
adaptOAuthProvider(provider)export for explicit adaptation. -
New
handleOAuthUnauthorized(provider, ctx)helper — the standard OAuthonUnauthorizedbehavior. -
New
isOAuthClientProvider()type guard. -
New
UnauthorizedContexttype. -
Exported previously-internal auth helpers for building custom flows:
applyBasicAuth,applyPostAuth,applyPublicAuth,executeTokenRequest.Transports are simplified internally — ~50 lines of inline OAuth orchestration (auth() calls, WWW-Authenticate parsing, circuit-breaker state) moved into the adapter's
onUnauthorized()implementation.OAuthClientProvideritself is unchanged.
-
-
#1614
1a78b01Thanks @pcarleton! - Apply resolved scope consistently
to both DCR and the authorization URL (SEP-835)When
scopes_supportedis present in the protected resource metadata (/.well-known/oauth-protected-resource), the SDK already uses it as the default scope for the authorization URL. This change applies the same resolved scope to the dynamic client registration request
body, ensuring both use a consistent value.registerClient()now accepts an optionalscopeparameter that overridesclientMetadata.scopein the registration body.auth()now computes the resolved scope once (WWW-Authenticate → PRMscopes_supported→clientMetadata.scope) and passes it to both DCR and the authorization request.
Patch Changes
-
#1758
e86b183Thanks @KKonstantinov! - tasks - disallow requesting
a null TTL -
#1824
fcde488Thanks @felixweinberger! - Dropzodfrom
peerDependencies(kept as direct dependency)Since Standard Schema support landed,
zodis purely an internal runtime dependency used for protocol message parsing. User-facing schemas (registerTool,registerPrompt) accept any Standard Schema library.zodremains independenciesand auto-installs; users no
longer need to install it alongside the SDK. -
#1761
01954e6Thanks @felixweinberger! - Convert remaining
capability-assertion throws toSdkError(SdkErrorCode.CapabilityNotSupported, ...). Follow-up to #1454 which missedClient.assertCapability(), the task capability helpers inexperimental/tasks/helpers.ts, and the sampling/elicitation capability checks in
experimental/tasks/server.ts. -
#1632
d99f3eeThanks @matantsach! - Continue OAuth metadata discovery
on 502 (Bad Gateway) responses, matching the existing behavior for 4xx. This fixes MCP servers behind reverse proxies that return 502 for path-aware metadata URLs. Other 5xx errors still throw to avoid retrying against overloaded servers. -
#1772
5276439Thanks @felixweinberger! - Always set
windowsHidewhen spawning stdio server processes on Windows, not just in Electron environments. Prevents unwanted console windows in non-Electron Windows applications. -
#1390
9bc9abcThanks @DePasqualeOrg! - Fix
StreamableHTTPClientTransport to handle error responses in SSE streams -
#1343
4b5fdcbThanks @christso! - Fix OAuth error handling for servers
returning errors with HTTP 200 statusSome OAuth servers (e.g., GitHub) return error responses with HTTP 200 status instead of 4xx. The SDK now checks for an
errorfield in the JSON response before attempting to parse it as tokens, providing users with meaningful error messages. -
#1534
69a0626Thanks @josefaidt! - remove npm references, use pnpm -
#1386
00249ceThanks @PederHP! - Respect capability negotiation in list
methods by returning empty lists when server lacks capabilityThe Client now returns empty lists instead of sending requests to servers that don't advertise the corresponding capability:
-
listPrompts()returns{ prompts: [] }if server lacks prompts capability -
listResources()returns{ resources: [] }if server lacks resources capability -
listResourceTemplates()returns{ resourceTemplates: [] }if server lacks resources capability -
listTools()returns{ tools: [] }if server lacks tools capabilityThis respects the MCP spec requirement that "Both parties SHOULD respect capability negotiation" and avoids unnecessary server warnings and traffic. The existing
enforceStrictCapabilitiesoption continues to throw errors when set totrue.
-
-
#1534
69a0626Thanks @josefaidt! - clean up package manager usage, all
pnpm -
#1595
13a0d34Thanks @bhosmer-ant! - Don't swallow fetchTypeError
as CORS in non-browser environments. Network errors (DNS resolution failure, connection refused, invalid URL) in Node.js and Cloudflare Workers now propagate from OAuth discovery instead of being silently misattributed to CORS and returningundefined. This surfaces the real
error to callers rather than masking it as "metadata not found." -
#1279
71ae3acThanks @KKonstantinov! - Initial 2.0.0-alpha.0
client and server package