@kubb/plugin-mcp 5.0.0-alpha.31 → 5.0.0-alpha.33
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/dist/index.cjs +72 -72
- package/dist/index.cjs.map +1 -1
- package/dist/index.d.ts +6 -6
- package/dist/index.js +25 -25
- package/dist/index.js.map +1 -1
- package/package.json +10 -7
- package/src/components/McpHandler.tsx +3 -3
- package/src/components/Server.tsx +5 -6
- package/src/generators/mcpGenerator.tsx +1 -1
- package/src/generators/serverGenerator.tsx +6 -6
- package/src/generators/serverGeneratorLegacy.tsx +6 -6
- package/src/plugin.ts +34 -29
package/dist/index.js.map
CHANGED
|
@@ -1 +1 @@
|
|
|
1
|
-
{"version":3,"file":"index.js","names":["#options","#transformParam","#eachParam","Function","Function","fetchClientSource","axiosClientSource","configSource"],"sources":["../../../internals/utils/src/casing.ts","../../../internals/utils/src/reserved.ts","../../../internals/utils/src/urlPath.ts","../src/utils.ts","../src/components/McpHandler.tsx","../src/components/Server.tsx","../src/generators/mcpGenerator.tsx","../src/generators/serverGenerator.tsx","../src/generators/serverGeneratorLegacy.tsx","../package.json","../src/resolvers/resolverMcp.ts","../src/presets.ts","../src/plugin.ts"],"sourcesContent":["type Options = {\n /**\n * When `true`, dot-separated segments are split on `.` and joined with `/` after casing.\n */\n isFile?: boolean\n /**\n * Text prepended before casing is applied.\n */\n prefix?: string\n /**\n * Text appended before casing is applied.\n */\n suffix?: string\n}\n\n/**\n * Shared implementation for camelCase and PascalCase conversion.\n * Splits on common word boundaries (spaces, hyphens, underscores, dots, slashes, colons)\n * and capitalizes each word according to `pascal`.\n *\n * When `pascal` is `true` the first word is also capitalized (PascalCase), otherwise only subsequent words are.\n */\nfunction toCamelOrPascal(text: string, pascal: boolean): string {\n const normalized = text\n .trim()\n .replace(/([a-z\\d])([A-Z])/g, '$1 $2')\n .replace(/([A-Z]+)([A-Z][a-z])/g, '$1 $2')\n .replace(/(\\d)([a-z])/g, '$1 $2')\n\n const words = normalized.split(/[\\s\\-_./\\\\:]+/).filter(Boolean)\n\n return words\n .map((word, i) => {\n const allUpper = word.length > 1 && word === word.toUpperCase()\n if (allUpper) return word\n if (i === 0 && !pascal) return word.charAt(0).toLowerCase() + word.slice(1)\n return word.charAt(0).toUpperCase() + word.slice(1)\n })\n .join('')\n .replace(/[^a-zA-Z0-9]/g, '')\n}\n\n/**\n * Splits `text` on `.` and applies `transformPart` to each segment.\n * The last segment receives `isLast = true`, all earlier segments receive `false`.\n * Segments are joined with `/` to form a file path.\n *\n * Only splits on dots followed by a letter so that version numbers\n * embedded in operationIds (e.g. `v2025.0`) are kept intact.\n */\nfunction applyToFileParts(text: string, transformPart: (part: string, isLast: boolean) => string): string {\n const parts = text.split(/\\.(?=[a-zA-Z])/)\n return parts.map((part, i) => transformPart(part, i === parts.length - 1)).join('/')\n}\n\n/**\n * Converts `text` to camelCase.\n * When `isFile` is `true`, dot-separated segments are each cased independently and joined with `/`.\n *\n * @example\n * camelCase('hello-world') // 'helloWorld'\n * camelCase('pet.petId', { isFile: true }) // 'pet/petId'\n */\nexport function camelCase(text: string, { isFile, prefix = '', suffix = '' }: Options = {}): string {\n if (isFile) {\n return applyToFileParts(text, (part, isLast) => camelCase(part, isLast ? { prefix, suffix } : {}))\n }\n\n return toCamelOrPascal(`${prefix} ${text} ${suffix}`, false)\n}\n\n/**\n * Converts `text` to PascalCase.\n * When `isFile` is `true`, the last dot-separated segment is PascalCased and earlier segments are camelCased.\n *\n * @example\n * pascalCase('hello-world') // 'HelloWorld'\n * pascalCase('pet.petId', { isFile: true }) // 'pet/PetId'\n */\nexport function pascalCase(text: string, { isFile, prefix = '', suffix = '' }: Options = {}): string {\n if (isFile) {\n return applyToFileParts(text, (part, isLast) => (isLast ? pascalCase(part, { prefix, suffix }) : camelCase(part)))\n }\n\n return toCamelOrPascal(`${prefix} ${text} ${suffix}`, true)\n}\n\n/**\n * Converts `text` to snake_case.\n *\n * @example\n * snakeCase('helloWorld') // 'hello_world'\n * snakeCase('Hello-World') // 'hello_world'\n */\nexport function snakeCase(text: string, { prefix = '', suffix = '' }: Omit<Options, 'isFile'> = {}): string {\n const processed = `${prefix} ${text} ${suffix}`.trim()\n return processed\n .replace(/([a-z])([A-Z])/g, '$1_$2')\n .replace(/[\\s\\-.]+/g, '_')\n .replace(/[^a-zA-Z0-9_]/g, '')\n .toLowerCase()\n .split('_')\n .filter(Boolean)\n .join('_')\n}\n\n/**\n * Converts `text` to SCREAMING_SNAKE_CASE.\n *\n * @example\n * screamingSnakeCase('helloWorld') // 'HELLO_WORLD'\n */\nexport function screamingSnakeCase(text: string, { prefix = '', suffix = '' }: Omit<Options, 'isFile'> = {}): string {\n return snakeCase(text, { prefix, suffix }).toUpperCase()\n}\n","/**\n * JavaScript and Java reserved words.\n * @link https://github.com/jonschlinkert/reserved/blob/master/index.js\n */\nconst reservedWords = new Set([\n 'abstract',\n 'arguments',\n 'boolean',\n 'break',\n 'byte',\n 'case',\n 'catch',\n 'char',\n 'class',\n 'const',\n 'continue',\n 'debugger',\n 'default',\n 'delete',\n 'do',\n 'double',\n 'else',\n 'enum',\n 'eval',\n 'export',\n 'extends',\n 'false',\n 'final',\n 'finally',\n 'float',\n 'for',\n 'function',\n 'goto',\n 'if',\n 'implements',\n 'import',\n 'in',\n 'instanceof',\n 'int',\n 'interface',\n 'let',\n 'long',\n 'native',\n 'new',\n 'null',\n 'package',\n 'private',\n 'protected',\n 'public',\n 'return',\n 'short',\n 'static',\n 'super',\n 'switch',\n 'synchronized',\n 'this',\n 'throw',\n 'throws',\n 'transient',\n 'true',\n 'try',\n 'typeof',\n 'var',\n 'void',\n 'volatile',\n 'while',\n 'with',\n 'yield',\n 'Array',\n 'Date',\n 'hasOwnProperty',\n 'Infinity',\n 'isFinite',\n 'isNaN',\n 'isPrototypeOf',\n 'length',\n 'Math',\n 'name',\n 'NaN',\n 'Number',\n 'Object',\n 'prototype',\n 'String',\n 'toString',\n 'undefined',\n 'valueOf',\n] as const)\n\n/**\n * Prefixes `word` with `_` when it is a reserved JavaScript/Java identifier or starts with a digit.\n *\n * @example\n * ```ts\n * transformReservedWord('class') // '_class'\n * transformReservedWord('42foo') // '_42foo'\n * transformReservedWord('status') // 'status'\n * ```\n */\nexport function transformReservedWord(word: string): string {\n const firstChar = word.charCodeAt(0)\n if (word && (reservedWords.has(word as 'valueOf') || (firstChar >= 48 && firstChar <= 57))) {\n return `_${word}`\n }\n return word\n}\n\n/**\n * Returns `true` when `name` is a syntactically valid JavaScript variable name.\n *\n * @example\n * ```ts\n * isValidVarName('status') // true\n * isValidVarName('class') // false (reserved word)\n * isValidVarName('42foo') // false (starts with digit)\n * ```\n */\nexport function isValidVarName(name: string): boolean {\n try {\n new Function(`var ${name}`)\n } catch {\n return false\n }\n return true\n}\n","import { camelCase } from './casing.ts'\nimport { isValidVarName } from './reserved.ts'\n\nexport type URLObject = {\n /**\n * The resolved URL string (Express-style or template literal, depending on context).\n */\n url: string\n /**\n * Extracted path parameters as a key-value map, or `undefined` when the path has none.\n */\n params?: Record<string, string>\n}\n\ntype ObjectOptions = {\n /**\n * Controls whether the `url` is rendered as an Express path or a template literal.\n * @default 'path'\n */\n type?: 'path' | 'template'\n /**\n * Optional transform applied to each extracted parameter name.\n */\n replacer?: (pathParam: string) => string\n /**\n * When `true`, the result is serialized to a string expression instead of a plain object.\n */\n stringify?: boolean\n}\n\n/**\n * Supported identifier casing strategies for path parameters.\n */\ntype PathCasing = 'camelcase'\n\ntype Options = {\n /**\n * Casing strategy applied to path parameter names.\n * @default undefined (original identifier preserved)\n */\n casing?: PathCasing\n}\n\n/**\n * Parses and transforms an OpenAPI/Swagger path string into various URL formats.\n *\n * @example\n * const p = new URLPath('/pet/{petId}')\n * p.URL // '/pet/:petId'\n * p.template // '`/pet/${petId}`'\n */\nexport class URLPath {\n /**\n * The raw OpenAPI/Swagger path string, e.g. `/pet/{petId}`.\n */\n path: string\n\n #options: Options\n\n constructor(path: string, options: Options = {}) {\n this.path = path\n this.#options = options\n }\n\n /** Converts the OpenAPI path to Express-style colon syntax, e.g. `/pet/{petId}` → `/pet/:petId`.\n *\n * @example\n * ```ts\n * new URLPath('/pet/{petId}').URL // '/pet/:petId'\n * ```\n */\n get URL(): string {\n return this.toURLPath()\n }\n\n /** Returns `true` when `path` is a fully-qualified URL (e.g. starts with `https://`).\n *\n * @example\n * ```ts\n * new URLPath('https://petstore.swagger.io/v2/pet').isURL // true\n * new URLPath('/pet/{petId}').isURL // false\n * ```\n */\n get isURL(): boolean {\n try {\n return !!new URL(this.path).href\n } catch {\n return false\n }\n }\n\n /**\n * Converts the OpenAPI path to a TypeScript template literal string.\n *\n * @example\n * new URLPath('/pet/{petId}').template // '`/pet/${petId}`'\n * new URLPath('/account/monetary-accountID').template // '`/account/${monetaryAccountId}`'\n */\n get template(): string {\n return this.toTemplateString()\n }\n\n /** Returns the path and its extracted params as a structured `URLObject`, or as a stringified expression when `stringify` is set.\n *\n * @example\n * ```ts\n * new URLPath('/pet/{petId}').object\n * // { url: '/pet/:petId', params: { petId: 'petId' } }\n * ```\n */\n get object(): URLObject | string {\n return this.toObject()\n }\n\n /** Returns a map of path parameter names, or `undefined` when the path has no parameters.\n *\n * @example\n * ```ts\n * new URLPath('/pet/{petId}').params // { petId: 'petId' }\n * new URLPath('/pet').params // undefined\n * ```\n */\n get params(): Record<string, string> | undefined {\n return this.getParams()\n }\n\n #transformParam(raw: string): string {\n const param = isValidVarName(raw) ? raw : camelCase(raw)\n return this.#options.casing === 'camelcase' ? camelCase(param) : param\n }\n\n /**\n * Iterates over every `{param}` token in `path`, calling `fn` with the raw token and transformed name.\n */\n #eachParam(fn: (raw: string, param: string) => void): void {\n for (const match of this.path.matchAll(/\\{([^}]+)\\}/g)) {\n const raw = match[1]!\n fn(raw, this.#transformParam(raw))\n }\n }\n\n toObject({ type = 'path', replacer, stringify }: ObjectOptions = {}): URLObject | string {\n const object = {\n url: type === 'path' ? this.toURLPath() : this.toTemplateString({ replacer }),\n params: this.getParams(),\n }\n\n if (stringify) {\n if (type === 'template') {\n return JSON.stringify(object).replaceAll(\"'\", '').replaceAll(`\"`, '')\n }\n\n if (object.params) {\n return `{ url: '${object.url}', params: ${JSON.stringify(object.params).replaceAll(\"'\", '').replaceAll(`\"`, '')} }`\n }\n\n return `{ url: '${object.url}' }`\n }\n\n return object\n }\n\n /**\n * Converts the OpenAPI path to a TypeScript template literal string.\n * An optional `replacer` can transform each extracted parameter name before interpolation.\n *\n * @example\n * new URLPath('/pet/{petId}').toTemplateString() // '`/pet/${petId}`'\n */\n toTemplateString({ prefix = '', replacer }: { prefix?: string; replacer?: (pathParam: string) => string } = {}): string {\n const parts = this.path.split(/\\{([^}]+)\\}/)\n const result = parts\n .map((part, i) => {\n if (i % 2 === 0) return part\n const param = this.#transformParam(part)\n return `\\${${replacer ? replacer(param) : param}}`\n })\n .join('')\n\n return `\\`${prefix}${result}\\``\n }\n\n /**\n * Extracts all `{param}` segments from the path and returns them as a key-value map.\n * An optional `replacer` transforms each parameter name in both key and value positions.\n * Returns `undefined` when no path parameters are found.\n *\n * @example\n * ```ts\n * new URLPath('/pet/{petId}/tag/{tagId}').getParams()\n * // { petId: 'petId', tagId: 'tagId' }\n * ```\n */\n getParams(replacer?: (pathParam: string) => string): Record<string, string> | undefined {\n const params: Record<string, string> = {}\n\n this.#eachParam((_raw, param) => {\n const key = replacer ? replacer(param) : param\n params[key] = key\n })\n\n return Object.keys(params).length > 0 ? params : undefined\n }\n\n /** Converts the OpenAPI path to Express-style colon syntax.\n *\n * @example\n * ```ts\n * new URLPath('/pet/{petId}').toURLPath() // '/pet/:petId'\n * ```\n */\n toURLPath(): string {\n return this.path.replace(/\\{([^}]+)\\}/g, ':$1')\n }\n}\n","import { camelCase } from '@internals/utils'\nimport type { OperationNode, SchemaNode, StatusCode } from '@kubb/ast/types'\n\n/**\n * Find the first 2xx response status code from an operation's responses.\n */\nexport function findSuccessStatusCode(responses: Array<{ statusCode: number | string }>): StatusCode | undefined {\n for (const res of responses) {\n const code = Number(res.statusCode)\n if (code >= 200 && code < 300) {\n return res.statusCode as StatusCode\n }\n }\n return undefined\n}\n\nexport type ZodParam = {\n name: string\n schemaName: string\n}\n\n/**\n * Render a group param value — either a group schema name directly (kubbV4),\n * or compose individual schemas into `z.object({ ... })` (v5).\n */\nexport function zodGroupExpr(entry: string | Array<ZodParam>): string {\n if (typeof entry === 'string') {\n return entry\n }\n const entries = entry.map((p) => `${JSON.stringify(p.name)}: ${p.schemaName}`)\n return `z.object({ ${entries.join(', ')} })`\n}\n\n/**\n * Build JSDoc comment lines from an OperationNode.\n */\nexport function getComments(node: OperationNode): Array<string> {\n return [\n node.description && `@description ${node.description}`,\n node.summary && `@summary ${node.summary}`,\n node.deprecated && '@deprecated',\n `{@link ${node.path.replaceAll('{', ':').replaceAll('}', '')}}`,\n ].filter((x): x is string => Boolean(x))\n}\n\n/**\n * Build a mapping of original param names → camelCase names.\n * Returns `undefined` when no names actually change (no remapping needed).\n */\nexport function getParamsMapping(params: Array<{ name: string }>): Record<string, string> | undefined {\n if (!params.length) {\n return undefined\n }\n\n const mapping: Record<string, string> = {}\n let hasDifference = false\n\n for (const p of params) {\n const camelName = camelCase(p.name)\n mapping[p.name] = camelName\n if (p.name !== camelName) {\n hasDifference = true\n }\n }\n\n return hasDifference ? mapping : undefined\n}\n\n/**\n * Convert a SchemaNode type to an inline Zod expression string.\n * Used as fallback when no named zod schema is available for a path parameter.\n */\nexport function zodExprFromSchemaNode(schema: SchemaNode): string {\n let expr: string\n switch (schema.type) {\n case 'integer':\n expr = 'z.coerce.number()'\n break\n case 'number':\n expr = 'z.number()'\n break\n case 'boolean':\n expr = 'z.boolean()'\n break\n case 'array':\n expr = 'z.array(z.unknown())'\n break\n default:\n expr = 'z.string()'\n }\n\n if (schema.nullable) {\n expr = `${expr}.nullable()`\n }\n\n return expr\n}\n","import { isValidVarName, URLPath } from '@internals/utils'\nimport { caseParams, createOperationParams } from '@kubb/ast'\nimport type { OperationNode } from '@kubb/ast/types'\nimport type { ResolverTs } from '@kubb/plugin-ts'\nimport { functionPrinter } from '@kubb/plugin-ts'\nimport { File, Function } from '@kubb/react-fabric'\nimport type { FabricReactNode } from '@kubb/react-fabric/types'\nimport type { PluginMcp } from '../types.ts'\nimport { getComments, getParamsMapping } from '../utils.ts'\n\ntype Props = {\n /**\n * Name of the handler function.\n */\n name: string\n /**\n * AST operation node.\n */\n node: OperationNode\n /**\n * TypeScript resolver for resolving param/data/response type names.\n */\n resolver: ResolverTs\n /**\n * Base URL prepended to every generated request URL.\n */\n baseURL: string | undefined\n /**\n * Return type when calling fetch.\n * - 'data' returns response data only.\n * - 'full' returns the full response object.\n * @default 'data'\n */\n dataReturnType: PluginMcp['resolvedOptions']['client']['dataReturnType']\n /**\n * How to style your params.\n */\n paramsCasing?: PluginMcp['resolvedOptions']['paramsCasing']\n}\n\n/**\n * Generate a remapping statement: `const mappedX = x ? { \"orig\": x.camel, ... } : undefined`\n */\nfunction buildRemappingCode(mapping: Record<string, string>, varName: string, sourceName: string): string {\n const pairs = Object.entries(mapping)\n .map(([orig, camel]) => `\"${orig}\": ${sourceName}.${camel}`)\n .join(', ')\n return `const ${varName} = ${sourceName} ? { ${pairs} } : undefined`\n}\n\nconst declarationPrinter = functionPrinter({ mode: 'declaration' })\n\nexport function McpHandler({ name, node, resolver, baseURL, dataReturnType, paramsCasing }: Props): FabricReactNode {\n const urlPath = new URLPath(node.path)\n const contentType = node.requestBody?.contentType\n const isFormData = contentType === 'multipart/form-data'\n\n const casedParams = caseParams(node.parameters, paramsCasing)\n const queryParams = casedParams.filter((p) => p.in === 'query')\n const headerParams = casedParams.filter((p) => p.in === 'header')\n\n // Use original (uncased) parameters for mapping so original→camelCase difference is detected\n const originalPathParams = node.parameters.filter((p) => p.in === 'path')\n const originalQueryParams = node.parameters.filter((p) => p.in === 'query')\n const originalHeaderParams = node.parameters.filter((p) => p.in === 'header')\n\n const requestName = node.requestBody?.schema ? resolver.resolveDataName(node) : undefined\n const responseName = resolver.resolveResponseName(node)\n\n const errorResponses = node.responses.filter((r) => Number(r.statusCode) >= 400).map((r) => resolver.resolveResponseStatusName(node, r.statusCode))\n const errorType = errorResponses.length > 0 ? errorResponses.join(' | ') : 'Error'\n\n const TError = `ResponseErrorConfig<${errorType}>`\n const generics = [responseName, TError, requestName || 'unknown'].filter(Boolean)\n\n const paramsNode = createOperationParams(node, {\n paramsType: 'object',\n pathParamsType: 'inline',\n resolver,\n paramsCasing,\n })\n const paramsSignature = declarationPrinter.print(paramsNode) ?? ''\n\n const pathParamsMapping = paramsCasing ? getParamsMapping(originalPathParams) : undefined\n const queryParamsMapping = paramsCasing ? getParamsMapping(originalQueryParams) : undefined\n const headerParamsMapping = paramsCasing ? getParamsMapping(originalHeaderParams) : undefined\n\n const contentTypeHeader =\n contentType && contentType !== 'application/json' && contentType !== 'multipart/form-data' ? `'Content-Type': '${contentType}'` : undefined\n const headers = [headerParams.length ? (headerParamsMapping ? '...mappedHeaders' : '...headers') : undefined, contentTypeHeader].filter(Boolean)\n\n const fetchConfig: string[] = []\n fetchConfig.push(`method: ${JSON.stringify(node.method.toUpperCase())}`)\n fetchConfig.push(`url: ${urlPath.template}`)\n if (baseURL) fetchConfig.push(`baseURL: \\`${baseURL}\\``)\n if (queryParams.length) fetchConfig.push(queryParamsMapping ? 'params: mappedParams' : 'params')\n if (requestName) fetchConfig.push(`data: ${isFormData ? 'formData as FormData' : 'requestData'}`)\n if (headers.length) fetchConfig.push(`headers: { ${headers.join(', ')} }`)\n\n const callToolResult =\n dataReturnType === 'data'\n ? `return {\n content: [\n {\n type: 'text',\n text: JSON.stringify(res.data)\n }\n ],\n structuredContent: { data: res.data }\n }`\n : `return {\n content: [\n {\n type: 'text',\n text: JSON.stringify(res)\n }\n ],\n structuredContent: { data: res.data }\n }`\n\n return (\n <File.Source name={name} isExportable isIndexable>\n <Function\n name={name}\n async\n export\n params={paramsSignature}\n JSDoc={{\n comments: getComments(node),\n }}\n returnType={'Promise<CallToolResult>'}\n >\n {''}\n <br />\n <br />\n {pathParamsMapping &&\n Object.entries(pathParamsMapping)\n .filter(([originalName, camelCaseName]) => originalName !== camelCaseName && isValidVarName(originalName))\n .map(([originalName, camelCaseName]) => `const ${originalName} = ${camelCaseName}`)\n .join('\\n')}\n {pathParamsMapping && (\n <>\n <br />\n <br />\n </>\n )}\n {queryParamsMapping && queryParams.length > 0 && (\n <>\n {buildRemappingCode(queryParamsMapping, 'mappedParams', 'params')}\n <br />\n <br />\n </>\n )}\n {headerParamsMapping && headerParams.length > 0 && (\n <>\n {buildRemappingCode(headerParamsMapping, 'mappedHeaders', 'headers')}\n <br />\n <br />\n </>\n )}\n {requestName && 'const requestData = data'}\n <br />\n {isFormData && requestName && 'const formData = buildFormData(requestData)'}\n <br />\n {`const res = await fetch<${generics.join(', ')}>({ ${fetchConfig.join(', ')} })`}\n <br />\n {callToolResult}\n </Function>\n </File.Source>\n )\n}\n","import { caseParams, createFunctionParameter, createFunctionParameters, createParameterGroup } from '@kubb/ast'\nimport type { OperationNode } from '@kubb/ast/types'\nimport type { KubbFile } from '@kubb/core'\nimport { functionPrinter } from '@kubb/plugin-ts'\nimport { Const, File, Function } from '@kubb/react-fabric'\nimport type { FabricReactNode } from '@kubb/react-fabric/types'\nimport type { PluginMcp } from '../types.ts'\nimport type { ZodParam } from '../utils.ts'\nimport { zodExprFromSchemaNode, zodGroupExpr } from '../utils.ts'\n\ntype Props = {\n /**\n * Variable name for the MCP server instance (e.g. 'server').\n */\n name: string\n /**\n * Human-readable server name passed to `new McpServer({ name })`.\n */\n serverName: string\n /**\n * Semantic version string passed to `new McpServer({ version })`.\n */\n serverVersion: string\n /**\n * How to style your params.\n */\n paramsCasing?: PluginMcp['resolvedOptions']['paramsCasing']\n /**\n * Operations to register as MCP tools, each carrying its handler,\n * zod schema, and AST node metadata.\n */\n operations: Array<{\n tool: {\n name: string\n title?: string\n description: string\n }\n mcp: {\n name: string\n file: KubbFile.File\n }\n zod: {\n pathParams: Array<ZodParam>\n /**\n * Query params — either a group schema name (kubbV4) or individual schemas to compose (v5).\n */\n queryParams?: string | Array<ZodParam>\n /**\n * Header params — either a group schema name (kubbV4) or individual schemas to compose (v5).\n */\n headerParams?: string | Array<ZodParam>\n requestName?: string\n responseName?: string\n }\n node: OperationNode\n }>\n}\n\nconst keysPrinter = functionPrinter({ mode: 'keys' })\n\nexport function Server({ name, serverName, serverVersion, paramsCasing, operations }: Props): FabricReactNode {\n return (\n <File.Source name={name} isExportable isIndexable>\n <Const name={'server'} export>\n {`\n new McpServer({\n name: '${serverName}',\n version: '${serverVersion}',\n})\n `}\n </Const>\n\n {operations\n .map(({ tool, mcp, zod, node }) => {\n const casedParams = caseParams(node.parameters, paramsCasing)\n const pathParams = casedParams.filter((p) => p.in === 'path')\n\n const pathEntries: Array<{ key: string; value: string }> = []\n const otherEntries: Array<{ key: string; value: string }> = []\n\n for (const p of pathParams) {\n const zodParam = zod.pathParams.find((zp) => zp.name === p.name)\n pathEntries.push({ key: p.name, value: zodParam ? zodParam.schemaName : zodExprFromSchemaNode(p.schema) })\n }\n\n if (zod.requestName) {\n otherEntries.push({ key: 'data', value: zod.requestName })\n }\n\n if (zod.queryParams) {\n otherEntries.push({ key: 'params', value: zodGroupExpr(zod.queryParams) })\n }\n\n if (zod.headerParams) {\n otherEntries.push({ key: 'headers', value: zodGroupExpr(zod.headerParams) })\n }\n\n otherEntries.sort((a, b) => a.key.localeCompare(b.key))\n const entries = [...pathEntries, ...otherEntries]\n\n const paramsNode = entries.length\n ? createFunctionParameters({\n params: [\n createParameterGroup({\n properties: entries.map((e) => createFunctionParameter({ name: e.key, optional: false })),\n }),\n ],\n })\n : undefined\n\n const destructured = paramsNode ? (keysPrinter.print(paramsNode) ?? '') : ''\n const inputSchema = entries.length ? `{ ${entries.map((e) => `${e.key}: ${e.value}`).join(', ')} }` : undefined\n const outputSchema = zod.responseName\n\n const config = [\n tool.title ? `title: ${JSON.stringify(tool.title)}` : null,\n `description: ${JSON.stringify(tool.description)}`,\n outputSchema ? `outputSchema: { data: ${outputSchema} }` : null,\n ]\n .filter(Boolean)\n .join(',\\n ')\n\n if (inputSchema) {\n return `\nserver.registerTool(${JSON.stringify(tool.name)}, {\n ${config},\n inputSchema: ${inputSchema},\n}, async (${destructured}) => {\n return ${mcp.name}(${destructured})\n})\n `\n }\n\n return `\nserver.registerTool(${JSON.stringify(tool.name)}, {\n ${config},\n}, async () => {\n return ${mcp.name}()\n})\n `\n })\n .filter(Boolean)}\n\n <Function name=\"startServer\" async export>\n {`try {\n const transport = new StdioServerTransport()\n await server.connect(transport)\n\n } catch (error) {\n console.error('Failed to start server:', error)\n process.exit(1)\n }`}\n </Function>\n </File.Source>\n )\n}\n","import path from 'node:path'\nimport { caseParams } from '@kubb/ast'\nimport { defineGenerator } from '@kubb/core'\nimport { pluginTsName } from '@kubb/plugin-ts'\nimport { File } from '@kubb/react-fabric'\nimport { McpHandler } from '../components/McpHandler.tsx'\nimport type { PluginMcp } from '../types.ts'\n\nexport const mcpGenerator = defineGenerator<PluginMcp>({\n name: 'mcp',\n operation(node, options) {\n const { resolver, driver, root } = this\n const { output, client, paramsCasing, group } = options\n\n const pluginTs = driver.getPlugin(pluginTsName)\n\n if (!pluginTs?.resolver) {\n return null\n }\n\n const casedParams = caseParams(node.parameters, paramsCasing)\n\n const pathParams = casedParams.filter((p) => p.in === 'path')\n const queryParams = casedParams.filter((p) => p.in === 'query')\n const headerParams = casedParams.filter((p) => p.in === 'header')\n\n const importedTypeNames = [\n ...pathParams.map((p) => pluginTs.resolver.resolvePathParamsName(node, p)),\n ...queryParams.map((p) => pluginTs.resolver.resolveQueryParamsName(node, p)),\n ...headerParams.map((p) => pluginTs.resolver.resolveHeaderParamsName(node, p)),\n node.requestBody?.schema ? pluginTs.resolver.resolveDataName(node) : undefined,\n pluginTs.resolver.resolveResponseName(node),\n ...node.responses.filter((r) => Number(r.statusCode) >= 400).map((r) => pluginTs.resolver.resolveResponseStatusName(node, r.statusCode)),\n ].filter(Boolean)\n\n const meta = {\n name: resolver.resolveName(node.operationId),\n file: resolver.resolveFile({ name: node.operationId, extname: '.ts', tag: node.tags[0] ?? 'default', path: node.path }, { root, output, group }),\n fileTs: pluginTs.resolver.resolveFile(\n { name: node.operationId, extname: '.ts', tag: node.tags[0] ?? 'default', path: node.path },\n {\n root,\n output: pluginTs.options?.output ?? output,\n group: pluginTs.options?.group,\n },\n ),\n } as const\n\n return (\n <File baseName={meta.file.baseName} path={meta.file.path} meta={meta.file.meta}>\n {meta.fileTs && importedTypeNames.length > 0 && (\n <File.Import name={Array.from(new Set(importedTypeNames)).sort()} root={meta.file.path} path={meta.fileTs.path} isTypeOnly />\n )}\n <File.Import name={['CallToolResult']} path={'@modelcontextprotocol/sdk/types'} isTypeOnly />\n <File.Import name={['buildFormData']} root={meta.file.path} path={path.resolve(root, '.kubb/config.ts')} />\n {client.importPath ? (\n <>\n <File.Import name={['Client', 'RequestConfig', 'ResponseErrorConfig']} path={client.importPath} isTypeOnly />\n <File.Import name={'fetch'} path={client.importPath} />\n {client.dataReturnType === 'full' && <File.Import name={['ResponseConfig']} path={client.importPath} isTypeOnly />}\n </>\n ) : (\n <>\n <File.Import\n name={['Client', 'RequestConfig', 'ResponseErrorConfig']}\n root={meta.file.path}\n path={path.resolve(root, '.kubb/fetch.ts')}\n isTypeOnly\n />\n <File.Import name={['fetch']} root={meta.file.path} path={path.resolve(root, '.kubb/fetch.ts')} />\n {client.dataReturnType === 'full' && (\n <File.Import name={['ResponseConfig']} root={meta.file.path} path={path.resolve(root, '.kubb/fetch.ts')} isTypeOnly />\n )}\n </>\n )}\n\n <McpHandler\n name={meta.name}\n node={node}\n resolver={pluginTs.resolver}\n baseURL={client.baseURL}\n dataReturnType={client.dataReturnType || 'data'}\n paramsCasing={paramsCasing}\n />\n </File>\n )\n },\n})\n","import path from 'node:path'\nimport { caseParams } from '@kubb/ast'\nimport { defineGenerator } from '@kubb/core'\nimport { pluginZodName } from '@kubb/plugin-zod'\nimport { File } from '@kubb/react-fabric'\nimport { Server } from '../components/Server.tsx'\nimport type { PluginMcp } from '../types.ts'\nimport { findSuccessStatusCode } from '../utils.ts'\n\n/**\n * Default server generator for `compatibilityPreset: 'default'` (v5).\n *\n * Uses individual zod schemas for each param (e.g. `createPetsPathUuidSchema`, `createPetsQueryOffsetSchema`)\n * and `resolveResponseStatusName` for per-status response schemas.\n * Query and header params are composed into `z.object({ ... })` from individual schemas.\n */\nexport const serverGenerator = defineGenerator<PluginMcp>({\n name: 'operations',\n operations(nodes, options) {\n const { adapter, config, resolver, plugin, driver, root } = this\n const { output, paramsCasing, group } = options\n\n const pluginZod = driver.getPlugin(pluginZodName)\n\n if (!pluginZod?.resolver) {\n return\n }\n\n const name = 'server'\n const serverFilePath = path.resolve(root, output.path, 'server.ts')\n const serverFile = {\n baseName: 'server.ts' as const,\n path: serverFilePath,\n meta: { pluginName: plugin.name },\n }\n\n const jsonFilePath = path.resolve(root, output.path, '.mcp.json')\n const jsonFile = {\n baseName: '.mcp.json' as const,\n path: jsonFilePath,\n meta: { pluginName: plugin.name },\n }\n\n const operationsMapped = nodes.map((node) => {\n const casedParams = caseParams(node.parameters, paramsCasing)\n const pathParams = casedParams.filter((p) => p.in === 'path')\n const queryParams = casedParams.filter((p) => p.in === 'query')\n const headerParams = casedParams.filter((p) => p.in === 'header')\n\n const mcpFile = resolver.resolveFile({ name: node.operationId, extname: '.ts', tag: node.tags[0] ?? 'default', path: node.path }, { root, output, group })\n\n const zodFile = pluginZod.resolver.resolveFile(\n { name: node.operationId, extname: '.ts', tag: node.tags[0] ?? 'default', path: node.path },\n {\n root,\n output: pluginZod.options?.output ?? output,\n group: pluginZod.options?.group,\n },\n )\n\n const requestName = node.requestBody?.schema ? pluginZod.resolver.resolveDataName(node) : undefined\n const successStatus = findSuccessStatusCode(node.responses)\n const responseName = successStatus ? pluginZod.resolver.resolveResponseStatusName(node, successStatus) : undefined\n\n const resolveParams = (params: typeof pathParams) => params.map((p) => ({ name: p.name, schemaName: pluginZod.resolver.resolveParamName(node, p) }))\n\n return {\n tool: {\n name: node.operationId,\n title: node.summary || undefined,\n description: node.description || `Make a ${node.method.toUpperCase()} request to ${node.path}`,\n },\n mcp: {\n name: resolver.resolveName(node.operationId),\n file: mcpFile,\n },\n zod: {\n pathParams: resolveParams(pathParams),\n queryParams: queryParams.length ? resolveParams(queryParams) : undefined,\n headerParams: headerParams.length ? resolveParams(headerParams) : undefined,\n requestName,\n responseName,\n file: zodFile,\n },\n node: node,\n }\n })\n\n const imports = operationsMapped.flatMap(({ mcp, zod }) => {\n const zodNames = [\n ...zod.pathParams.map((p) => p.schemaName),\n ...(zod.queryParams ?? []).map((p) => p.schemaName),\n ...(zod.headerParams ?? []).map((p) => p.schemaName),\n zod.requestName,\n zod.responseName,\n ].filter(Boolean)\n\n const uniqueNames = [...new Set(zodNames)].sort()\n\n return [\n <File.Import key={mcp.name} name={[mcp.name]} root={serverFile.path} path={mcp.file.path} />,\n uniqueNames.length > 0 && <File.Import key={`zod-${mcp.name}`} name={uniqueNames} root={serverFile.path} path={zod.file.path} />,\n ].filter(Boolean)\n })\n\n return (\n <>\n <File\n baseName={serverFile.baseName}\n path={serverFile.path}\n meta={serverFile.meta}\n banner={resolver.resolveBanner(adapter.rootNode, { output, config })}\n footer={resolver.resolveFooter(adapter.rootNode, { output, config })}\n >\n <File.Import name={['McpServer']} path={'@modelcontextprotocol/sdk/server/mcp'} />\n <File.Import name={['z']} path={'zod'} />\n <File.Import name={['StdioServerTransport']} path={'@modelcontextprotocol/sdk/server/stdio'} />\n\n {imports}\n <Server\n name={name}\n serverName={adapter.rootNode?.meta?.title ?? 'server'}\n serverVersion={adapter.rootNode?.meta?.version ?? '0.0.0'}\n paramsCasing={paramsCasing}\n operations={operationsMapped}\n />\n </File>\n\n <File baseName={jsonFile.baseName} path={jsonFile.path} meta={jsonFile.meta}>\n <File.Source name={name}>\n {`\n {\n \"mcpServers\": {\n \"${adapter.rootNode?.meta?.title || 'server'}\": {\n \"type\": \"stdio\",\n \"command\": \"npx\",\n \"args\": [\"tsx\", \"${path.relative(path.dirname(jsonFile.path), serverFile.path)}\"]\n }\n }\n }\n `}\n </File.Source>\n </File>\n </>\n )\n },\n})\n","import path from 'node:path'\nimport { caseParams } from '@kubb/ast'\nimport { defineGenerator } from '@kubb/core'\nimport { pluginZodName } from '@kubb/plugin-zod'\nimport { File } from '@kubb/react-fabric'\nimport { Server } from '../components/Server.tsx'\nimport type { PluginMcp } from '../types.ts'\n\n/**\n * Legacy server generator for `compatibilityPreset: 'kubbV4'`.\n *\n * Uses grouped zod schemas for query/header params (e.g. `createPetsQueryParamsSchema`)\n * and `resolveResponseName` for the combined response schema.\n * Path params are always rendered inline (no named imports).\n */\nexport const serverGeneratorLegacy = defineGenerator<PluginMcp>({\n name: 'operations',\n operations(nodes, options) {\n const { adapter, config, resolver, plugin, driver, root } = this\n const { output, paramsCasing, group } = options\n\n const pluginZod = driver.getPlugin(pluginZodName)\n\n if (!pluginZod?.resolver) {\n return\n }\n\n const name = 'server'\n const serverFilePath = path.resolve(root, output.path, 'server.ts')\n const serverFile = {\n baseName: 'server.ts' as const,\n path: serverFilePath,\n meta: { pluginName: plugin.name },\n }\n\n const jsonFilePath = path.resolve(root, output.path, '.mcp.json')\n const jsonFile = {\n baseName: '.mcp.json' as const,\n path: jsonFilePath,\n meta: { pluginName: plugin.name },\n }\n\n const operationsMapped = nodes.map((node) => {\n const casedParams = caseParams(node.parameters, paramsCasing)\n const queryParams = casedParams.filter((p) => p.in === 'query')\n const headerParams = casedParams.filter((p) => p.in === 'header')\n\n const mcpFile = resolver.resolveFile({ name: node.operationId, extname: '.ts', tag: node.tags[0] ?? 'default', path: node.path }, { root, output, group })\n\n const zodFile = pluginZod?.resolver.resolveFile(\n { name: node.operationId, extname: '.ts', tag: node.tags[0] ?? 'default', path: node.path },\n {\n root,\n output: pluginZod?.options?.output ?? output,\n group: pluginZod?.options?.group,\n },\n )\n\n const requestName = node.requestBody?.schema ? pluginZod?.resolver.resolveDataName(node) : undefined\n const responseName = pluginZod?.resolver.resolveResponseName(node)\n\n const zodQueryParams = queryParams.length ? pluginZod?.resolver.resolveQueryParamsName(node, queryParams[0]!) : undefined\n\n const zodHeaderParams = headerParams.length ? pluginZod?.resolver.resolveHeaderParamsName(node, headerParams[0]!) : undefined\n\n return {\n tool: {\n name: node.operationId,\n title: node.summary || undefined,\n description: node.description || `Make a ${node.method.toUpperCase()} request to ${node.path}`,\n },\n mcp: {\n name: resolver.resolveName(node.operationId),\n file: mcpFile,\n },\n zod: {\n pathParams: [],\n queryParams: zodQueryParams,\n headerParams: zodHeaderParams,\n requestName,\n responseName,\n file: zodFile,\n },\n node: node,\n }\n })\n\n const imports = operationsMapped.flatMap(({ mcp, zod }) => {\n const zodNames = [zod.queryParams, zod.headerParams, zod.requestName, zod.responseName].filter(Boolean) as string[]\n\n return [\n <File.Import key={mcp.name} name={[mcp.name]} root={serverFile.path} path={mcp.file.path} />,\n zod.file && zodNames.length > 0 && <File.Import key={`zod-${mcp.name}`} name={zodNames.sort()} root={serverFile.path} path={zod.file.path} />,\n ].filter(Boolean)\n })\n\n return (\n <>\n <File\n baseName={serverFile.baseName}\n path={serverFile.path}\n meta={serverFile.meta}\n banner={resolver.resolveBanner(adapter.rootNode, { output, config })}\n footer={resolver.resolveFooter(adapter.rootNode, { output, config })}\n >\n <File.Import name={['McpServer']} path={'@modelcontextprotocol/sdk/server/mcp'} />\n <File.Import name={['z']} path={'zod'} />\n <File.Import name={['StdioServerTransport']} path={'@modelcontextprotocol/sdk/server/stdio'} />\n\n {imports}\n <Server\n name={name}\n serverName={adapter.rootNode?.meta?.title ?? 'server'}\n serverVersion={(adapter.document as { openapi?: string })?.openapi ?? adapter.rootNode?.meta?.version ?? '0.0.0'}\n paramsCasing={paramsCasing}\n operations={operationsMapped}\n />\n </File>\n\n <File baseName={jsonFile.baseName} path={jsonFile.path} meta={jsonFile.meta}>\n <File.Source name={name}>\n {`\n {\n \"mcpServers\": {\n \"${adapter.rootNode?.meta?.title || 'server'}\": {\n \"type\": \"stdio\",\n \"command\": \"npx\",\n \"args\": [\"tsx\", \"${path.relative(path.dirname(jsonFile.path), serverFile.path)}\"]\n }\n }\n }\n `}\n </File.Source>\n </File>\n </>\n )\n },\n})\n","","import { camelCase } from '@internals/utils'\nimport { defineResolver } from '@kubb/core'\nimport type { PluginMcp } from '../types.ts'\n\n/**\n * Resolver for `@kubb/plugin-mcp` that provides the default naming\n * and path-resolution helpers used by the plugin.\n *\n * @example\n * ```ts\n * import { resolverMcp } from '@kubb/plugin-mcp'\n *\n * resolverMcp.default('addPet', 'function') // -> 'addPetHandler'\n * resolverMcp.resolveName('show pet by id') // -> 'showPetByIdHandler'\n * ```\n */\nexport const resolverMcp = defineResolver<PluginMcp>(() => ({\n name: 'default',\n pluginName: 'plugin-mcp',\n default(name, type) {\n if (type === 'file') {\n return camelCase(name, { isFile: true })\n }\n return camelCase(name, { suffix: 'handler' })\n },\n resolveName(name) {\n return this.default(name, 'function')\n },\n}))\n","import { definePresets } from '@kubb/core'\nimport { mcpGenerator } from './generators/mcpGenerator.tsx'\nimport { serverGenerator } from './generators/serverGenerator.tsx'\nimport { serverGeneratorLegacy } from './generators/serverGeneratorLegacy.tsx'\nimport { resolverMcp } from './resolvers/resolverMcp.ts'\nimport type { ResolverMcp } from './types.ts'\n\n/**\n * Built-in preset registry for `@kubb/plugin-mcp`.\n *\n * - `default` — v5 naming with individual zod schemas and per-status responses.\n * - `kubbV4` — legacy naming with grouped zod schemas and combined responses.\n */\nexport const presets = definePresets<ResolverMcp>({\n default: {\n name: 'default',\n resolver: resolverMcp,\n generators: [mcpGenerator, serverGenerator],\n },\n kubbV4: {\n name: 'kubbV4',\n resolver: resolverMcp,\n generators: [mcpGenerator, serverGeneratorLegacy],\n },\n})\n","import path from 'node:path'\nimport { camelCase } from '@internals/utils'\nimport { createPlugin, type Group, getPreset, mergeGenerators } from '@kubb/core'\nimport { pluginClientName } from '@kubb/plugin-client'\nimport { source as axiosClientSource } from '@kubb/plugin-client/templates/clients/axios.source'\nimport { source as fetchClientSource } from '@kubb/plugin-client/templates/clients/fetch.source'\nimport { source as configSource } from '@kubb/plugin-client/templates/config.source'\nimport { pluginTsName } from '@kubb/plugin-ts'\nimport { pluginZodName } from '@kubb/plugin-zod'\nimport { version } from '../package.json'\nimport { presets } from './presets.ts'\nimport type { PluginMcp } from './types.ts'\n\nexport const pluginMcpName = 'plugin-mcp' satisfies PluginMcp['name']\n\nexport const pluginMcp = createPlugin<PluginMcp>((options) => {\n const {\n output = { path: 'mcp', barrelType: 'named' },\n group,\n exclude = [],\n include,\n override = [],\n paramsCasing,\n client,\n compatibilityPreset = 'default',\n resolver: userResolver,\n transformer: userTransformer,\n generators: userGenerators = [],\n } = options\n\n const clientName = client?.client ?? 'axios'\n const clientImportPath = client?.importPath ?? (!client?.bundle ? `@kubb/plugin-client/clients/${clientName}` : undefined)\n\n const preset = getPreset({\n preset: compatibilityPreset,\n presets,\n resolver: userResolver,\n transformer: userTransformer,\n generators: userGenerators,\n })\n\n const generators = preset.generators ?? []\n const mergedGenerator = mergeGenerators(generators)\n\n return {\n name: pluginMcpName,\n version,\n get resolver() {\n return preset.resolver\n },\n get transformer() {\n return preset.transformer\n },\n get options() {\n return {\n output,\n exclude,\n include,\n override,\n group: group\n ? ({\n ...group,\n name: group.name\n ? group.name\n : (ctx: { group: string }) => {\n if (group.type === 'path') {\n return `${ctx.group.split('/')[1]}`\n }\n return `${camelCase(ctx.group)}Requests`\n },\n } satisfies Group)\n : undefined,\n paramsCasing,\n client: {\n client: clientName,\n clientType: client?.clientType ?? 'function',\n importPath: clientImportPath,\n dataReturnType: client?.dataReturnType ?? 'data',\n bundle: client?.bundle,\n baseURL: client?.baseURL,\n paramsCasing: client?.paramsCasing,\n },\n resolver: preset.resolver,\n }\n },\n pre: [pluginTsName, pluginZodName].filter(Boolean),\n async schema(node, options) {\n return mergedGenerator.schema?.call(this, node, options)\n },\n async operation(node, options) {\n return mergedGenerator.operation?.call(this, node, options)\n },\n async operations(nodes, options) {\n return mergedGenerator.operations?.call(this, nodes, options)\n },\n async buildStart() {\n const { adapter, driver } = this\n const root = this.root\n\n const baseURL = adapter?.rootNode?.meta?.baseURL\n if (baseURL) {\n this.plugin.options.client.baseURL = this.plugin.options.client.baseURL || baseURL\n }\n\n const hasClientPlugin = !!driver.getPlugin(pluginClientName)\n\n if (this.plugin.options.client.bundle && !hasClientPlugin && !this.plugin.options.client.importPath) {\n await this.addFile({\n baseName: 'fetch.ts',\n path: path.resolve(root, '.kubb/fetch.ts'),\n sources: [\n {\n name: 'fetch',\n value: this.plugin.options.client.client === 'fetch' ? fetchClientSource : axiosClientSource,\n isExportable: true,\n isIndexable: true,\n },\n ],\n imports: [],\n exports: [],\n })\n }\n\n if (!hasClientPlugin) {\n await this.addFile({\n baseName: 'config.ts',\n path: path.resolve(root, '.kubb/config.ts'),\n sources: [\n {\n name: 'config',\n value: configSource,\n isExportable: false,\n isIndexable: false,\n },\n ],\n imports: [],\n exports: [],\n })\n }\n\n await this.openInStudio({ ast: true })\n },\n }\n})\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAsBA,SAAS,gBAAgB,MAAc,QAAyB;AAS9D,QARmB,KAChB,MAAM,CACN,QAAQ,qBAAqB,QAAQ,CACrC,QAAQ,yBAAyB,QAAQ,CACzC,QAAQ,gBAAgB,QAAQ,CAEV,MAAM,gBAAgB,CAAC,OAAO,QAAQ,CAG5D,KAAK,MAAM,MAAM;AAEhB,MADiB,KAAK,SAAS,KAAK,SAAS,KAAK,aAAa,CACjD,QAAO;AACrB,MAAI,MAAM,KAAK,CAAC,OAAQ,QAAO,KAAK,OAAO,EAAE,CAAC,aAAa,GAAG,KAAK,MAAM,EAAE;AAC3E,SAAO,KAAK,OAAO,EAAE,CAAC,aAAa,GAAG,KAAK,MAAM,EAAE;GACnD,CACD,KAAK,GAAG,CACR,QAAQ,iBAAiB,GAAG;;;;;;;;;;AAWjC,SAAS,iBAAiB,MAAc,eAAkE;CACxG,MAAM,QAAQ,KAAK,MAAM,iBAAiB;AAC1C,QAAO,MAAM,KAAK,MAAM,MAAM,cAAc,MAAM,MAAM,MAAM,SAAS,EAAE,CAAC,CAAC,KAAK,IAAI;;;;;;;;;;AAWtF,SAAgB,UAAU,MAAc,EAAE,QAAQ,SAAS,IAAI,SAAS,OAAgB,EAAE,EAAU;AAClG,KAAI,OACF,QAAO,iBAAiB,OAAO,MAAM,WAAW,UAAU,MAAM,SAAS;EAAE;EAAQ;EAAQ,GAAG,EAAE,CAAC,CAAC;AAGpG,QAAO,gBAAgB,GAAG,OAAO,GAAG,KAAK,GAAG,UAAU,MAAM;;;;;;;;;;;;;;ACgD9D,SAAgB,eAAe,MAAuB;AACpD,KAAI;AACF,MAAI,SAAS,OAAO,OAAO;SACrB;AACN,SAAO;;AAET,QAAO;;;;;;;;;;;;ACvET,IAAa,UAAb,MAAqB;;;;CAInB;CAEA;CAEA,YAAY,MAAc,UAAmB,EAAE,EAAE;AAC/C,OAAK,OAAO;AACZ,QAAA,UAAgB;;;;;;;;;CAUlB,IAAI,MAAc;AAChB,SAAO,KAAK,WAAW;;;;;;;;;;CAWzB,IAAI,QAAiB;AACnB,MAAI;AACF,UAAO,CAAC,CAAC,IAAI,IAAI,KAAK,KAAK,CAAC;UACtB;AACN,UAAO;;;;;;;;;;CAWX,IAAI,WAAmB;AACrB,SAAO,KAAK,kBAAkB;;;;;;;;;;CAWhC,IAAI,SAA6B;AAC/B,SAAO,KAAK,UAAU;;;;;;;;;;CAWxB,IAAI,SAA6C;AAC/C,SAAO,KAAK,WAAW;;CAGzB,gBAAgB,KAAqB;EACnC,MAAM,QAAQ,eAAe,IAAI,GAAG,MAAM,UAAU,IAAI;AACxD,SAAO,MAAA,QAAc,WAAW,cAAc,UAAU,MAAM,GAAG;;;;;CAMnE,WAAW,IAAgD;AACzD,OAAK,MAAM,SAAS,KAAK,KAAK,SAAS,eAAe,EAAE;GACtD,MAAM,MAAM,MAAM;AAClB,MAAG,KAAK,MAAA,eAAqB,IAAI,CAAC;;;CAItC,SAAS,EAAE,OAAO,QAAQ,UAAU,cAA6B,EAAE,EAAsB;EACvF,MAAM,SAAS;GACb,KAAK,SAAS,SAAS,KAAK,WAAW,GAAG,KAAK,iBAAiB,EAAE,UAAU,CAAC;GAC7E,QAAQ,KAAK,WAAW;GACzB;AAED,MAAI,WAAW;AACb,OAAI,SAAS,WACX,QAAO,KAAK,UAAU,OAAO,CAAC,WAAW,KAAK,GAAG,CAAC,WAAW,KAAK,GAAG;AAGvE,OAAI,OAAO,OACT,QAAO,WAAW,OAAO,IAAI,aAAa,KAAK,UAAU,OAAO,OAAO,CAAC,WAAW,KAAK,GAAG,CAAC,WAAW,KAAK,GAAG,CAAC;AAGlH,UAAO,WAAW,OAAO,IAAI;;AAG/B,SAAO;;;;;;;;;CAUT,iBAAiB,EAAE,SAAS,IAAI,aAA4E,EAAE,EAAU;AAUtH,SAAO,KAAK,SATE,KAAK,KAAK,MAAM,cAAc,CAEzC,KAAK,MAAM,MAAM;AAChB,OAAI,IAAI,MAAM,EAAG,QAAO;GACxB,MAAM,QAAQ,MAAA,eAAqB,KAAK;AACxC,UAAO,MAAM,WAAW,SAAS,MAAM,GAAG,MAAM;IAChD,CACD,KAAK,GAAG,CAEiB;;;;;;;;;;;;;CAc9B,UAAU,UAA8E;EACtF,MAAM,SAAiC,EAAE;AAEzC,QAAA,WAAiB,MAAM,UAAU;GAC/B,MAAM,MAAM,WAAW,SAAS,MAAM,GAAG;AACzC,UAAO,OAAO;IACd;AAEF,SAAO,OAAO,KAAK,OAAO,CAAC,SAAS,IAAI,SAAS,KAAA;;;;;;;;;CAUnD,YAAoB;AAClB,SAAO,KAAK,KAAK,QAAQ,gBAAgB,MAAM;;;;;;;;AC9MnD,SAAgB,sBAAsB,WAA2E;AAC/G,MAAK,MAAM,OAAO,WAAW;EAC3B,MAAM,OAAO,OAAO,IAAI,WAAW;AACnC,MAAI,QAAQ,OAAO,OAAO,IACxB,QAAO,IAAI;;;;;;;AAejB,SAAgB,aAAa,OAAyC;AACpE,KAAI,OAAO,UAAU,SACnB,QAAO;AAGT,QAAO,cADS,MAAM,KAAK,MAAM,GAAG,KAAK,UAAU,EAAE,KAAK,CAAC,IAAI,EAAE,aAAa,CACjD,KAAK,KAAK,CAAC;;;;;AAM1C,SAAgB,YAAY,MAAoC;AAC9D,QAAO;EACL,KAAK,eAAe,gBAAgB,KAAK;EACzC,KAAK,WAAW,YAAY,KAAK;EACjC,KAAK,cAAc;EACnB,UAAU,KAAK,KAAK,WAAW,KAAK,IAAI,CAAC,WAAW,KAAK,GAAG,CAAC;EAC9D,CAAC,QAAQ,MAAmB,QAAQ,EAAE,CAAC;;;;;;AAO1C,SAAgB,iBAAiB,QAAqE;AACpG,KAAI,CAAC,OAAO,OACV;CAGF,MAAM,UAAkC,EAAE;CAC1C,IAAI,gBAAgB;AAEpB,MAAK,MAAM,KAAK,QAAQ;EACtB,MAAM,YAAY,UAAU,EAAE,KAAK;AACnC,UAAQ,EAAE,QAAQ;AAClB,MAAI,EAAE,SAAS,UACb,iBAAgB;;AAIpB,QAAO,gBAAgB,UAAU,KAAA;;;;;;AAOnC,SAAgB,sBAAsB,QAA4B;CAChE,IAAI;AACJ,SAAQ,OAAO,MAAf;EACE,KAAK;AACH,UAAO;AACP;EACF,KAAK;AACH,UAAO;AACP;EACF,KAAK;AACH,UAAO;AACP;EACF,KAAK;AACH,UAAO;AACP;EACF,QACE,QAAO;;AAGX,KAAI,OAAO,SACT,QAAO,GAAG,KAAK;AAGjB,QAAO;;;;;;;ACpDT,SAAS,mBAAmB,SAAiC,SAAiB,YAA4B;AAIxG,QAAO,SAAS,QAAQ,KAAK,WAAW,OAH1B,OAAO,QAAQ,QAAQ,CAClC,KAAK,CAAC,MAAM,WAAW,IAAI,KAAK,KAAK,WAAW,GAAG,QAAQ,CAC3D,KAAK,KAAK,CACwC;;AAGvD,MAAM,qBAAqB,gBAAgB,EAAE,MAAM,eAAe,CAAC;AAEnE,SAAgB,WAAW,EAAE,MAAM,MAAM,UAAU,SAAS,gBAAgB,gBAAwC;CAClH,MAAM,UAAU,IAAI,QAAQ,KAAK,KAAK;CACtC,MAAM,cAAc,KAAK,aAAa;CACtC,MAAM,aAAa,gBAAgB;CAEnC,MAAM,cAAc,WAAW,KAAK,YAAY,aAAa;CAC7D,MAAM,cAAc,YAAY,QAAQ,MAAM,EAAE,OAAO,QAAQ;CAC/D,MAAM,eAAe,YAAY,QAAQ,MAAM,EAAE,OAAO,SAAS;CAGjE,MAAM,qBAAqB,KAAK,WAAW,QAAQ,MAAM,EAAE,OAAO,OAAO;CACzE,MAAM,sBAAsB,KAAK,WAAW,QAAQ,MAAM,EAAE,OAAO,QAAQ;CAC3E,MAAM,uBAAuB,KAAK,WAAW,QAAQ,MAAM,EAAE,OAAO,SAAS;CAE7E,MAAM,cAAc,KAAK,aAAa,SAAS,SAAS,gBAAgB,KAAK,GAAG,KAAA;CAChF,MAAM,eAAe,SAAS,oBAAoB,KAAK;CAEvD,MAAM,iBAAiB,KAAK,UAAU,QAAQ,MAAM,OAAO,EAAE,WAAW,IAAI,IAAI,CAAC,KAAK,MAAM,SAAS,0BAA0B,MAAM,EAAE,WAAW,CAAC;CAInJ,MAAM,WAAW;EAAC;EADH,uBAFG,eAAe,SAAS,IAAI,eAAe,KAAK,MAAM,GAAG,QAE3B;EACR,eAAe;EAAU,CAAC,OAAO,QAAQ;CAEjF,MAAM,aAAa,sBAAsB,MAAM;EAC7C,YAAY;EACZ,gBAAgB;EAChB;EACA;EACD,CAAC;CACF,MAAM,kBAAkB,mBAAmB,MAAM,WAAW,IAAI;CAEhE,MAAM,oBAAoB,eAAe,iBAAiB,mBAAmB,GAAG,KAAA;CAChF,MAAM,qBAAqB,eAAe,iBAAiB,oBAAoB,GAAG,KAAA;CAClF,MAAM,sBAAsB,eAAe,iBAAiB,qBAAqB,GAAG,KAAA;CAEpF,MAAM,oBACJ,eAAe,gBAAgB,sBAAsB,gBAAgB,wBAAwB,oBAAoB,YAAY,KAAK,KAAA;CACpI,MAAM,UAAU,CAAC,aAAa,SAAU,sBAAsB,qBAAqB,eAAgB,KAAA,GAAW,kBAAkB,CAAC,OAAO,QAAQ;CAEhJ,MAAM,cAAwB,EAAE;AAChC,aAAY,KAAK,WAAW,KAAK,UAAU,KAAK,OAAO,aAAa,CAAC,GAAG;AACxE,aAAY,KAAK,QAAQ,QAAQ,WAAW;AAC5C,KAAI,QAAS,aAAY,KAAK,cAAc,QAAQ,IAAI;AACxD,KAAI,YAAY,OAAQ,aAAY,KAAK,qBAAqB,yBAAyB,SAAS;AAChG,KAAI,YAAa,aAAY,KAAK,SAAS,aAAa,yBAAyB,gBAAgB;AACjG,KAAI,QAAQ,OAAQ,aAAY,KAAK,cAAc,QAAQ,KAAK,KAAK,CAAC,IAAI;CAE1E,MAAM,iBACJ,mBAAmB,SACf;;;;;;;;gBASA;;;;;;;;;AAUN,QACE,oBAAC,KAAK,QAAN;EAAmB;EAAM,cAAA;EAAa,aAAA;YACpC,qBAACG,YAAD;GACQ;GACN,OAAA;GACA,QAAA;GACA,QAAQ;GACR,OAAO,EACL,UAAU,YAAY,KAAK,EAC5B;GACD,YAAY;aARd;IAUG;IACD,oBAAC,MAAD,EAAM,CAAA;IACN,oBAAC,MAAD,EAAM,CAAA;IACL,qBACC,OAAO,QAAQ,kBAAkB,CAC9B,QAAQ,CAAC,cAAc,mBAAmB,iBAAiB,iBAAiB,eAAe,aAAa,CAAC,CACzG,KAAK,CAAC,cAAc,mBAAmB,SAAS,aAAa,KAAK,gBAAgB,CAClF,KAAK,KAAK;IACd,qBACC,qBAAA,UAAA,EAAA,UAAA,CACE,oBAAC,MAAD,EAAM,CAAA,EACN,oBAAC,MAAD,EAAM,CAAA,CACL,EAAA,CAAA;IAEJ,sBAAsB,YAAY,SAAS,KAC1C,qBAAA,UAAA,EAAA,UAAA;KACG,mBAAmB,oBAAoB,gBAAgB,SAAS;KACjE,oBAAC,MAAD,EAAM,CAAA;KACN,oBAAC,MAAD,EAAM,CAAA;KACL,EAAA,CAAA;IAEJ,uBAAuB,aAAa,SAAS,KAC5C,qBAAA,UAAA,EAAA,UAAA;KACG,mBAAmB,qBAAqB,iBAAiB,UAAU;KACpE,oBAAC,MAAD,EAAM,CAAA;KACN,oBAAC,MAAD,EAAM,CAAA;KACL,EAAA,CAAA;IAEJ,eAAe;IAChB,oBAAC,MAAD,EAAM,CAAA;IACL,cAAc,eAAe;IAC9B,oBAAC,MAAD,EAAM,CAAA;IACL,2BAA2B,SAAS,KAAK,KAAK,CAAC,MAAM,YAAY,KAAK,KAAK,CAAC;IAC7E,oBAAC,MAAD,EAAM,CAAA;IACL;IACQ;;EACC,CAAA;;;;AC9GlB,MAAM,cAAc,gBAAgB,EAAE,MAAM,QAAQ,CAAC;AAErD,SAAgB,OAAO,EAAE,MAAM,YAAY,eAAe,cAAc,cAAsC;AAC5G,QACE,qBAAC,KAAK,QAAN;EAAmB;EAAM,cAAA;EAAa,aAAA;YAAtC;GACE,oBAAC,OAAD;IAAO,MAAM;IAAU,QAAA;cACpB;;WAEE,WAAW;cACR,cAAc;;;IAGd,CAAA;GAEP,WACE,KAAK,EAAE,MAAM,KAAK,KAAK,WAAW;IAEjC,MAAM,aADc,WAAW,KAAK,YAAY,aAAa,CAC9B,QAAQ,MAAM,EAAE,OAAO,OAAO;IAE7D,MAAM,cAAqD,EAAE;IAC7D,MAAM,eAAsD,EAAE;AAE9D,SAAK,MAAM,KAAK,YAAY;KAC1B,MAAM,WAAW,IAAI,WAAW,MAAM,OAAO,GAAG,SAAS,EAAE,KAAK;AAChE,iBAAY,KAAK;MAAE,KAAK,EAAE;MAAM,OAAO,WAAW,SAAS,aAAa,sBAAsB,EAAE,OAAO;MAAE,CAAC;;AAG5G,QAAI,IAAI,YACN,cAAa,KAAK;KAAE,KAAK;KAAQ,OAAO,IAAI;KAAa,CAAC;AAG5D,QAAI,IAAI,YACN,cAAa,KAAK;KAAE,KAAK;KAAU,OAAO,aAAa,IAAI,YAAY;KAAE,CAAC;AAG5E,QAAI,IAAI,aACN,cAAa,KAAK;KAAE,KAAK;KAAW,OAAO,aAAa,IAAI,aAAa;KAAE,CAAC;AAG9E,iBAAa,MAAM,GAAG,MAAM,EAAE,IAAI,cAAc,EAAE,IAAI,CAAC;IACvD,MAAM,UAAU,CAAC,GAAG,aAAa,GAAG,aAAa;IAEjD,MAAM,aAAa,QAAQ,SACvB,yBAAyB,EACvB,QAAQ,CACN,qBAAqB,EACnB,YAAY,QAAQ,KAAK,MAAM,wBAAwB;KAAE,MAAM,EAAE;KAAK,UAAU;KAAO,CAAC,CAAC,EAC1F,CAAC,CACH,EACF,CAAC,GACF,KAAA;IAEJ,MAAM,eAAe,aAAc,YAAY,MAAM,WAAW,IAAI,KAAM;IAC1E,MAAM,cAAc,QAAQ,SAAS,KAAK,QAAQ,KAAK,MAAM,GAAG,EAAE,IAAI,IAAI,EAAE,QAAQ,CAAC,KAAK,KAAK,CAAC,MAAM,KAAA;IACtG,MAAM,eAAe,IAAI;IAEzB,MAAM,SAAS;KACb,KAAK,QAAQ,UAAU,KAAK,UAAU,KAAK,MAAM,KAAK;KACtD,gBAAgB,KAAK,UAAU,KAAK,YAAY;KAChD,eAAe,yBAAyB,aAAa,MAAM;KAC5D,CACE,OAAO,QAAQ,CACf,KAAK,QAAQ;AAEhB,QAAI,YACF,QAAO;sBACG,KAAK,UAAU,KAAK,KAAK,CAAC;IAC5C,OAAO;iBACM,YAAY;YACjB,aAAa;WACd,IAAI,KAAK,GAAG,aAAa;;;AAK1B,WAAO;sBACK,KAAK,UAAU,KAAK,KAAK,CAAC;IAC5C,OAAO;;WAEA,IAAI,KAAK;;;KAGV,CACD,OAAO,QAAQ;GAElB,oBAACC,YAAD;IAAU,MAAK;IAAc,OAAA;IAAM,QAAA;cAChC;;;;;;;;IAQQ,CAAA;GACC;;;;;ACjJlB,MAAa,eAAe,gBAA2B;CACrD,MAAM;CACN,UAAU,MAAM,SAAS;EACvB,MAAM,EAAE,UAAU,QAAQ,SAAS;EACnC,MAAM,EAAE,QAAQ,QAAQ,cAAc,UAAU;EAEhD,MAAM,WAAW,OAAO,UAAU,aAAa;AAE/C,MAAI,CAAC,UAAU,SACb,QAAO;EAGT,MAAM,cAAc,WAAW,KAAK,YAAY,aAAa;EAE7D,MAAM,aAAa,YAAY,QAAQ,MAAM,EAAE,OAAO,OAAO;EAC7D,MAAM,cAAc,YAAY,QAAQ,MAAM,EAAE,OAAO,QAAQ;EAC/D,MAAM,eAAe,YAAY,QAAQ,MAAM,EAAE,OAAO,SAAS;EAEjE,MAAM,oBAAoB;GACxB,GAAG,WAAW,KAAK,MAAM,SAAS,SAAS,sBAAsB,MAAM,EAAE,CAAC;GAC1E,GAAG,YAAY,KAAK,MAAM,SAAS,SAAS,uBAAuB,MAAM,EAAE,CAAC;GAC5E,GAAG,aAAa,KAAK,MAAM,SAAS,SAAS,wBAAwB,MAAM,EAAE,CAAC;GAC9E,KAAK,aAAa,SAAS,SAAS,SAAS,gBAAgB,KAAK,GAAG,KAAA;GACrE,SAAS,SAAS,oBAAoB,KAAK;GAC3C,GAAG,KAAK,UAAU,QAAQ,MAAM,OAAO,EAAE,WAAW,IAAI,IAAI,CAAC,KAAK,MAAM,SAAS,SAAS,0BAA0B,MAAM,EAAE,WAAW,CAAC;GACzI,CAAC,OAAO,QAAQ;EAEjB,MAAM,OAAO;GACX,MAAM,SAAS,YAAY,KAAK,YAAY;GAC5C,MAAM,SAAS,YAAY;IAAE,MAAM,KAAK;IAAa,SAAS;IAAO,KAAK,KAAK,KAAK,MAAM;IAAW,MAAM,KAAK;IAAM,EAAE;IAAE;IAAM;IAAQ;IAAO,CAAC;GAChJ,QAAQ,SAAS,SAAS,YACxB;IAAE,MAAM,KAAK;IAAa,SAAS;IAAO,KAAK,KAAK,KAAK,MAAM;IAAW,MAAM,KAAK;IAAM,EAC3F;IACE;IACA,QAAQ,SAAS,SAAS,UAAU;IACpC,OAAO,SAAS,SAAS;IAC1B,CACF;GACF;AAED,SACE,qBAAC,MAAD;GAAM,UAAU,KAAK,KAAK;GAAU,MAAM,KAAK,KAAK;GAAM,MAAM,KAAK,KAAK;aAA1E;IACG,KAAK,UAAU,kBAAkB,SAAS,KACzC,oBAAC,KAAK,QAAN;KAAa,MAAM,MAAM,KAAK,IAAI,IAAI,kBAAkB,CAAC,CAAC,MAAM;KAAE,MAAM,KAAK,KAAK;KAAM,MAAM,KAAK,OAAO;KAAM,YAAA;KAAa,CAAA;IAE/H,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,iBAAiB;KAAE,MAAM;KAAmC,YAAA;KAAa,CAAA;IAC7F,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,gBAAgB;KAAE,MAAM,KAAK,KAAK;KAAM,MAAM,KAAK,QAAQ,MAAM,kBAAkB;KAAI,CAAA;IAC1G,OAAO,aACN,qBAAA,UAAA,EAAA,UAAA;KACE,oBAAC,KAAK,QAAN;MAAa,MAAM;OAAC;OAAU;OAAiB;OAAsB;MAAE,MAAM,OAAO;MAAY,YAAA;MAAa,CAAA;KAC7G,oBAAC,KAAK,QAAN;MAAa,MAAM;MAAS,MAAM,OAAO;MAAc,CAAA;KACtD,OAAO,mBAAmB,UAAU,oBAAC,KAAK,QAAN;MAAa,MAAM,CAAC,iBAAiB;MAAE,MAAM,OAAO;MAAY,YAAA;MAAa,CAAA;KACjH,EAAA,CAAA,GAEH,qBAAA,UAAA,EAAA,UAAA;KACE,oBAAC,KAAK,QAAN;MACE,MAAM;OAAC;OAAU;OAAiB;OAAsB;MACxD,MAAM,KAAK,KAAK;MAChB,MAAM,KAAK,QAAQ,MAAM,iBAAiB;MAC1C,YAAA;MACA,CAAA;KACF,oBAAC,KAAK,QAAN;MAAa,MAAM,CAAC,QAAQ;MAAE,MAAM,KAAK,KAAK;MAAM,MAAM,KAAK,QAAQ,MAAM,iBAAiB;MAAI,CAAA;KACjG,OAAO,mBAAmB,UACzB,oBAAC,KAAK,QAAN;MAAa,MAAM,CAAC,iBAAiB;MAAE,MAAM,KAAK,KAAK;MAAM,MAAM,KAAK,QAAQ,MAAM,iBAAiB;MAAE,YAAA;MAAa,CAAA;KAEvH,EAAA,CAAA;IAGL,oBAAC,YAAD;KACE,MAAM,KAAK;KACL;KACN,UAAU,SAAS;KACnB,SAAS,OAAO;KAChB,gBAAgB,OAAO,kBAAkB;KAC3B;KACd,CAAA;IACG;;;CAGZ,CAAC;;;;;;;;;;ACvEF,MAAa,kBAAkB,gBAA2B;CACxD,MAAM;CACN,WAAW,OAAO,SAAS;EACzB,MAAM,EAAE,SAAS,QAAQ,UAAU,QAAQ,QAAQ,SAAS;EAC5D,MAAM,EAAE,QAAQ,cAAc,UAAU;EAExC,MAAM,YAAY,OAAO,UAAU,cAAc;AAEjD,MAAI,CAAC,WAAW,SACd;EAGF,MAAM,OAAO;EAEb,MAAM,aAAa;GACjB,UAAU;GACV,MAHqB,KAAK,QAAQ,MAAM,OAAO,MAAM,YAAY;GAIjE,MAAM,EAAE,YAAY,OAAO,MAAM;GAClC;EAGD,MAAM,WAAW;GACf,UAAU;GACV,MAHmB,KAAK,QAAQ,MAAM,OAAO,MAAM,YAAY;GAI/D,MAAM,EAAE,YAAY,OAAO,MAAM;GAClC;EAED,MAAM,mBAAmB,MAAM,KAAK,SAAS;GAC3C,MAAM,cAAc,WAAW,KAAK,YAAY,aAAa;GAC7D,MAAM,aAAa,YAAY,QAAQ,MAAM,EAAE,OAAO,OAAO;GAC7D,MAAM,cAAc,YAAY,QAAQ,MAAM,EAAE,OAAO,QAAQ;GAC/D,MAAM,eAAe,YAAY,QAAQ,MAAM,EAAE,OAAO,SAAS;GAEjE,MAAM,UAAU,SAAS,YAAY;IAAE,MAAM,KAAK;IAAa,SAAS;IAAO,KAAK,KAAK,KAAK,MAAM;IAAW,MAAM,KAAK;IAAM,EAAE;IAAE;IAAM;IAAQ;IAAO,CAAC;GAE1J,MAAM,UAAU,UAAU,SAAS,YACjC;IAAE,MAAM,KAAK;IAAa,SAAS;IAAO,KAAK,KAAK,KAAK,MAAM;IAAW,MAAM,KAAK;IAAM,EAC3F;IACE;IACA,QAAQ,UAAU,SAAS,UAAU;IACrC,OAAO,UAAU,SAAS;IAC3B,CACF;GAED,MAAM,cAAc,KAAK,aAAa,SAAS,UAAU,SAAS,gBAAgB,KAAK,GAAG,KAAA;GAC1F,MAAM,gBAAgB,sBAAsB,KAAK,UAAU;GAC3D,MAAM,eAAe,gBAAgB,UAAU,SAAS,0BAA0B,MAAM,cAAc,GAAG,KAAA;GAEzG,MAAM,iBAAiB,WAA8B,OAAO,KAAK,OAAO;IAAE,MAAM,EAAE;IAAM,YAAY,UAAU,SAAS,iBAAiB,MAAM,EAAE;IAAE,EAAE;AAEpJ,UAAO;IACL,MAAM;KACJ,MAAM,KAAK;KACX,OAAO,KAAK,WAAW,KAAA;KACvB,aAAa,KAAK,eAAe,UAAU,KAAK,OAAO,aAAa,CAAC,cAAc,KAAK;KACzF;IACD,KAAK;KACH,MAAM,SAAS,YAAY,KAAK,YAAY;KAC5C,MAAM;KACP;IACD,KAAK;KACH,YAAY,cAAc,WAAW;KACrC,aAAa,YAAY,SAAS,cAAc,YAAY,GAAG,KAAA;KAC/D,cAAc,aAAa,SAAS,cAAc,aAAa,GAAG,KAAA;KAClE;KACA;KACA,MAAM;KACP;IACK;IACP;IACD;EAEF,MAAM,UAAU,iBAAiB,SAAS,EAAE,KAAK,UAAU;GACzD,MAAM,WAAW;IACf,GAAG,IAAI,WAAW,KAAK,MAAM,EAAE,WAAW;IAC1C,IAAI,IAAI,eAAe,EAAE,EAAE,KAAK,MAAM,EAAE,WAAW;IACnD,IAAI,IAAI,gBAAgB,EAAE,EAAE,KAAK,MAAM,EAAE,WAAW;IACpD,IAAI;IACJ,IAAI;IACL,CAAC,OAAO,QAAQ;GAEjB,MAAM,cAAc,CAAC,GAAG,IAAI,IAAI,SAAS,CAAC,CAAC,MAAM;AAEjD,UAAO,CACL,oBAAC,KAAK,QAAN;IAA4B,MAAM,CAAC,IAAI,KAAK;IAAE,MAAM,WAAW;IAAM,MAAM,IAAI,KAAK;IAAQ,EAA1E,IAAI,KAAsE,EAC5F,YAAY,SAAS,KAAK,oBAAC,KAAK,QAAN;IAAqC,MAAM;IAAa,MAAM,WAAW;IAAM,MAAM,IAAI,KAAK;IAAQ,EAApF,OAAO,IAAI,OAAyE,CACjI,CAAC,OAAO,QAAQ;IACjB;AAEF,SACE,qBAAA,UAAA,EAAA,UAAA,CACE,qBAAC,MAAD;GACE,UAAU,WAAW;GACrB,MAAM,WAAW;GACjB,MAAM,WAAW;GACjB,QAAQ,SAAS,cAAc,QAAQ,UAAU;IAAE;IAAQ;IAAQ,CAAC;GACpE,QAAQ,SAAS,cAAc,QAAQ,UAAU;IAAE;IAAQ;IAAQ,CAAC;aALtE;IAOE,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,YAAY;KAAE,MAAM;KAA0C,CAAA;IAClF,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,IAAI;KAAE,MAAM;KAAS,CAAA;IACzC,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,uBAAuB;KAAE,MAAM;KAA4C,CAAA;IAE9F;IACD,oBAAC,QAAD;KACQ;KACN,YAAY,QAAQ,UAAU,MAAM,SAAS;KAC7C,eAAe,QAAQ,UAAU,MAAM,WAAW;KACpC;KACd,YAAY;KACZ,CAAA;IACG;MAEP,oBAAC,MAAD;GAAM,UAAU,SAAS;GAAU,MAAM,SAAS;GAAM,MAAM,SAAS;aACrE,oBAAC,KAAK,QAAN;IAAmB;cAChB;;;iBAGI,QAAQ,UAAU,MAAM,SAAS,SAAS;;;mCAGxB,KAAK,SAAS,KAAK,QAAQ,SAAS,KAAK,EAAE,WAAW,KAAK,CAAC;;;;;IAKvE,CAAA;GACT,CAAA,CACN,EAAA,CAAA;;CAGR,CAAC;;;;;;;;;;ACnIF,MAAa,wBAAwB,gBAA2B;CAC9D,MAAM;CACN,WAAW,OAAO,SAAS;EACzB,MAAM,EAAE,SAAS,QAAQ,UAAU,QAAQ,QAAQ,SAAS;EAC5D,MAAM,EAAE,QAAQ,cAAc,UAAU;EAExC,MAAM,YAAY,OAAO,UAAU,cAAc;AAEjD,MAAI,CAAC,WAAW,SACd;EAGF,MAAM,OAAO;EAEb,MAAM,aAAa;GACjB,UAAU;GACV,MAHqB,KAAK,QAAQ,MAAM,OAAO,MAAM,YAAY;GAIjE,MAAM,EAAE,YAAY,OAAO,MAAM;GAClC;EAGD,MAAM,WAAW;GACf,UAAU;GACV,MAHmB,KAAK,QAAQ,MAAM,OAAO,MAAM,YAAY;GAI/D,MAAM,EAAE,YAAY,OAAO,MAAM;GAClC;EAED,MAAM,mBAAmB,MAAM,KAAK,SAAS;GAC3C,MAAM,cAAc,WAAW,KAAK,YAAY,aAAa;GAC7D,MAAM,cAAc,YAAY,QAAQ,MAAM,EAAE,OAAO,QAAQ;GAC/D,MAAM,eAAe,YAAY,QAAQ,MAAM,EAAE,OAAO,SAAS;GAEjE,MAAM,UAAU,SAAS,YAAY;IAAE,MAAM,KAAK;IAAa,SAAS;IAAO,KAAK,KAAK,KAAK,MAAM;IAAW,MAAM,KAAK;IAAM,EAAE;IAAE;IAAM;IAAQ;IAAO,CAAC;GAE1J,MAAM,UAAU,WAAW,SAAS,YAClC;IAAE,MAAM,KAAK;IAAa,SAAS;IAAO,KAAK,KAAK,KAAK,MAAM;IAAW,MAAM,KAAK;IAAM,EAC3F;IACE;IACA,QAAQ,WAAW,SAAS,UAAU;IACtC,OAAO,WAAW,SAAS;IAC5B,CACF;GAED,MAAM,cAAc,KAAK,aAAa,SAAS,WAAW,SAAS,gBAAgB,KAAK,GAAG,KAAA;GAC3F,MAAM,eAAe,WAAW,SAAS,oBAAoB,KAAK;GAElE,MAAM,iBAAiB,YAAY,SAAS,WAAW,SAAS,uBAAuB,MAAM,YAAY,GAAI,GAAG,KAAA;GAEhH,MAAM,kBAAkB,aAAa,SAAS,WAAW,SAAS,wBAAwB,MAAM,aAAa,GAAI,GAAG,KAAA;AAEpH,UAAO;IACL,MAAM;KACJ,MAAM,KAAK;KACX,OAAO,KAAK,WAAW,KAAA;KACvB,aAAa,KAAK,eAAe,UAAU,KAAK,OAAO,aAAa,CAAC,cAAc,KAAK;KACzF;IACD,KAAK;KACH,MAAM,SAAS,YAAY,KAAK,YAAY;KAC5C,MAAM;KACP;IACD,KAAK;KACH,YAAY,EAAE;KACd,aAAa;KACb,cAAc;KACd;KACA;KACA,MAAM;KACP;IACK;IACP;IACD;EAEF,MAAM,UAAU,iBAAiB,SAAS,EAAE,KAAK,UAAU;GACzD,MAAM,WAAW;IAAC,IAAI;IAAa,IAAI;IAAc,IAAI;IAAa,IAAI;IAAa,CAAC,OAAO,QAAQ;AAEvG,UAAO,CACL,oBAAC,KAAK,QAAN;IAA4B,MAAM,CAAC,IAAI,KAAK;IAAE,MAAM,WAAW;IAAM,MAAM,IAAI,KAAK;IAAQ,EAA1E,IAAI,KAAsE,EAC5F,IAAI,QAAQ,SAAS,SAAS,KAAK,oBAAC,KAAK,QAAN;IAAqC,MAAM,SAAS,MAAM;IAAE,MAAM,WAAW;IAAM,MAAM,IAAI,KAAK;IAAQ,EAAxF,OAAO,IAAI,OAA6E,CAC9I,CAAC,OAAO,QAAQ;IACjB;AAEF,SACE,qBAAA,UAAA,EAAA,UAAA,CACE,qBAAC,MAAD;GACE,UAAU,WAAW;GACrB,MAAM,WAAW;GACjB,MAAM,WAAW;GACjB,QAAQ,SAAS,cAAc,QAAQ,UAAU;IAAE;IAAQ;IAAQ,CAAC;GACpE,QAAQ,SAAS,cAAc,QAAQ,UAAU;IAAE;IAAQ;IAAQ,CAAC;aALtE;IAOE,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,YAAY;KAAE,MAAM;KAA0C,CAAA;IAClF,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,IAAI;KAAE,MAAM;KAAS,CAAA;IACzC,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,uBAAuB;KAAE,MAAM;KAA4C,CAAA;IAE9F;IACD,oBAAC,QAAD;KACQ;KACN,YAAY,QAAQ,UAAU,MAAM,SAAS;KAC7C,eAAgB,QAAQ,UAAmC,WAAW,QAAQ,UAAU,MAAM,WAAW;KAC3F;KACd,YAAY;KACZ,CAAA;IACG;MAEP,oBAAC,MAAD;GAAM,UAAU,SAAS;GAAU,MAAM,SAAS;GAAM,MAAM,SAAS;aACrE,oBAAC,KAAK,QAAN;IAAmB;cAChB;;;iBAGI,QAAQ,UAAU,MAAM,SAAS,SAAS;;;mCAGxB,KAAK,SAAS,KAAK,QAAQ,SAAS,KAAK,EAAE,WAAW,KAAK,CAAC;;;;;IAKvE,CAAA;GACT,CAAA,CACN,EAAA,CAAA;;CAGR,CAAC;;;;;;;;;;;;;;;;;;AEzHF,MAAa,cAAc,sBAAiC;CAC1D,MAAM;CACN,YAAY;CACZ,QAAQ,MAAM,MAAM;AAClB,MAAI,SAAS,OACX,QAAO,UAAU,MAAM,EAAE,QAAQ,MAAM,CAAC;AAE1C,SAAO,UAAU,MAAM,EAAE,QAAQ,WAAW,CAAC;;CAE/C,YAAY,MAAM;AAChB,SAAO,KAAK,QAAQ,MAAM,WAAW;;CAExC,EAAE;;;;;;;;;ACfH,MAAa,UAAU,cAA2B;CAChD,SAAS;EACP,MAAM;EACN,UAAU;EACV,YAAY,CAAC,cAAc,gBAAgB;EAC5C;CACD,QAAQ;EACN,MAAM;EACN,UAAU;EACV,YAAY,CAAC,cAAc,sBAAsB;EAClD;CACF,CAAC;;;ACXF,MAAa,gBAAgB;AAE7B,MAAa,YAAY,cAAyB,YAAY;CAC5D,MAAM,EACJ,SAAS;EAAE,MAAM;EAAO,YAAY;EAAS,EAC7C,OACA,UAAU,EAAE,EACZ,SACA,WAAW,EAAE,EACb,cACA,QACA,sBAAsB,WACtB,UAAU,cACV,aAAa,iBACb,YAAY,iBAAiB,EAAE,KAC7B;CAEJ,MAAM,aAAa,QAAQ,UAAU;CACrC,MAAM,mBAAmB,QAAQ,eAAe,CAAC,QAAQ,SAAS,+BAA+B,eAAe,KAAA;CAEhH,MAAM,SAAS,UAAU;EACvB,QAAQ;EACR;EACA,UAAU;EACV,aAAa;EACb,YAAY;EACb,CAAC;CAGF,MAAM,kBAAkB,gBADL,OAAO,cAAc,EAAE,CACS;AAEnD,QAAO;EACL,MAAM;EACN;EACA,IAAI,WAAW;AACb,UAAO,OAAO;;EAEhB,IAAI,cAAc;AAChB,UAAO,OAAO;;EAEhB,IAAI,UAAU;AACZ,UAAO;IACL;IACA;IACA;IACA;IACA,OAAO,QACF;KACC,GAAG;KACH,MAAM,MAAM,OACR,MAAM,QACL,QAA2B;AAC1B,UAAI,MAAM,SAAS,OACjB,QAAO,GAAG,IAAI,MAAM,MAAM,IAAI,CAAC;AAEjC,aAAO,GAAG,UAAU,IAAI,MAAM,CAAC;;KAEtC,GACD,KAAA;IACJ;IACA,QAAQ;KACN,QAAQ;KACR,YAAY,QAAQ,cAAc;KAClC,YAAY;KACZ,gBAAgB,QAAQ,kBAAkB;KAC1C,QAAQ,QAAQ;KAChB,SAAS,QAAQ;KACjB,cAAc,QAAQ;KACvB;IACD,UAAU,OAAO;IAClB;;EAEH,KAAK,CAAC,cAAc,cAAc,CAAC,OAAO,QAAQ;EAClD,MAAM,OAAO,MAAM,SAAS;AAC1B,UAAO,gBAAgB,QAAQ,KAAK,MAAM,MAAM,QAAQ;;EAE1D,MAAM,UAAU,MAAM,SAAS;AAC7B,UAAO,gBAAgB,WAAW,KAAK,MAAM,MAAM,QAAQ;;EAE7D,MAAM,WAAW,OAAO,SAAS;AAC/B,UAAO,gBAAgB,YAAY,KAAK,MAAM,OAAO,QAAQ;;EAE/D,MAAM,aAAa;GACjB,MAAM,EAAE,SAAS,WAAW;GAC5B,MAAM,OAAO,KAAK;GAElB,MAAM,UAAU,SAAS,UAAU,MAAM;AACzC,OAAI,QACF,MAAK,OAAO,QAAQ,OAAO,UAAU,KAAK,OAAO,QAAQ,OAAO,WAAW;GAG7E,MAAM,kBAAkB,CAAC,CAAC,OAAO,UAAU,iBAAiB;AAE5D,OAAI,KAAK,OAAO,QAAQ,OAAO,UAAU,CAAC,mBAAmB,CAAC,KAAK,OAAO,QAAQ,OAAO,WACvF,OAAM,KAAK,QAAQ;IACjB,UAAU;IACV,MAAM,KAAK,QAAQ,MAAM,iBAAiB;IAC1C,SAAS,CACP;KACE,MAAM;KACN,OAAO,KAAK,OAAO,QAAQ,OAAO,WAAW,UAAUC,WAAoBC;KAC3E,cAAc;KACd,aAAa;KACd,CACF;IACD,SAAS,EAAE;IACX,SAAS,EAAE;IACZ,CAAC;AAGJ,OAAI,CAAC,gBACH,OAAM,KAAK,QAAQ;IACjB,UAAU;IACV,MAAM,KAAK,QAAQ,MAAM,kBAAkB;IAC3C,SAAS,CACP;KACE,MAAM;KACN,OAAOC;KACP,cAAc;KACd,aAAa;KACd,CACF;IACD,SAAS,EAAE;IACX,SAAS,EAAE;IACZ,CAAC;AAGJ,SAAM,KAAK,aAAa,EAAE,KAAK,MAAM,CAAC;;EAEzC;EACD"}
|
|
1
|
+
{"version":3,"file":"index.js","names":["#options","#transformParam","#eachParam","Function","Function","fetchClientSource","axiosClientSource","configSource"],"sources":["../../../internals/utils/src/casing.ts","../../../internals/utils/src/reserved.ts","../../../internals/utils/src/urlPath.ts","../src/utils.ts","../src/components/McpHandler.tsx","../src/components/Server.tsx","../src/generators/mcpGenerator.tsx","../src/generators/serverGenerator.tsx","../src/generators/serverGeneratorLegacy.tsx","../package.json","../src/resolvers/resolverMcp.ts","../src/presets.ts","../src/plugin.ts"],"sourcesContent":["type Options = {\n /**\n * When `true`, dot-separated segments are split on `.` and joined with `/` after casing.\n */\n isFile?: boolean\n /**\n * Text prepended before casing is applied.\n */\n prefix?: string\n /**\n * Text appended before casing is applied.\n */\n suffix?: string\n}\n\n/**\n * Shared implementation for camelCase and PascalCase conversion.\n * Splits on common word boundaries (spaces, hyphens, underscores, dots, slashes, colons)\n * and capitalizes each word according to `pascal`.\n *\n * When `pascal` is `true` the first word is also capitalized (PascalCase), otherwise only subsequent words are.\n */\nfunction toCamelOrPascal(text: string, pascal: boolean): string {\n const normalized = text\n .trim()\n .replace(/([a-z\\d])([A-Z])/g, '$1 $2')\n .replace(/([A-Z]+)([A-Z][a-z])/g, '$1 $2')\n .replace(/(\\d)([a-z])/g, '$1 $2')\n\n const words = normalized.split(/[\\s\\-_./\\\\:]+/).filter(Boolean)\n\n return words\n .map((word, i) => {\n const allUpper = word.length > 1 && word === word.toUpperCase()\n if (allUpper) return word\n if (i === 0 && !pascal) return word.charAt(0).toLowerCase() + word.slice(1)\n return word.charAt(0).toUpperCase() + word.slice(1)\n })\n .join('')\n .replace(/[^a-zA-Z0-9]/g, '')\n}\n\n/**\n * Splits `text` on `.` and applies `transformPart` to each segment.\n * The last segment receives `isLast = true`, all earlier segments receive `false`.\n * Segments are joined with `/` to form a file path.\n *\n * Only splits on dots followed by a letter so that version numbers\n * embedded in operationIds (e.g. `v2025.0`) are kept intact.\n */\nfunction applyToFileParts(text: string, transformPart: (part: string, isLast: boolean) => string): string {\n const parts = text.split(/\\.(?=[a-zA-Z])/)\n return parts.map((part, i) => transformPart(part, i === parts.length - 1)).join('/')\n}\n\n/**\n * Converts `text` to camelCase.\n * When `isFile` is `true`, dot-separated segments are each cased independently and joined with `/`.\n *\n * @example\n * camelCase('hello-world') // 'helloWorld'\n * camelCase('pet.petId', { isFile: true }) // 'pet/petId'\n */\nexport function camelCase(text: string, { isFile, prefix = '', suffix = '' }: Options = {}): string {\n if (isFile) {\n return applyToFileParts(text, (part, isLast) => camelCase(part, isLast ? { prefix, suffix } : {}))\n }\n\n return toCamelOrPascal(`${prefix} ${text} ${suffix}`, false)\n}\n\n/**\n * Converts `text` to PascalCase.\n * When `isFile` is `true`, the last dot-separated segment is PascalCased and earlier segments are camelCased.\n *\n * @example\n * pascalCase('hello-world') // 'HelloWorld'\n * pascalCase('pet.petId', { isFile: true }) // 'pet/PetId'\n */\nexport function pascalCase(text: string, { isFile, prefix = '', suffix = '' }: Options = {}): string {\n if (isFile) {\n return applyToFileParts(text, (part, isLast) => (isLast ? pascalCase(part, { prefix, suffix }) : camelCase(part)))\n }\n\n return toCamelOrPascal(`${prefix} ${text} ${suffix}`, true)\n}\n\n/**\n * Converts `text` to snake_case.\n *\n * @example\n * snakeCase('helloWorld') // 'hello_world'\n * snakeCase('Hello-World') // 'hello_world'\n */\nexport function snakeCase(text: string, { prefix = '', suffix = '' }: Omit<Options, 'isFile'> = {}): string {\n const processed = `${prefix} ${text} ${suffix}`.trim()\n return processed\n .replace(/([a-z])([A-Z])/g, '$1_$2')\n .replace(/[\\s\\-.]+/g, '_')\n .replace(/[^a-zA-Z0-9_]/g, '')\n .toLowerCase()\n .split('_')\n .filter(Boolean)\n .join('_')\n}\n\n/**\n * Converts `text` to SCREAMING_SNAKE_CASE.\n *\n * @example\n * screamingSnakeCase('helloWorld') // 'HELLO_WORLD'\n */\nexport function screamingSnakeCase(text: string, { prefix = '', suffix = '' }: Omit<Options, 'isFile'> = {}): string {\n return snakeCase(text, { prefix, suffix }).toUpperCase()\n}\n","/**\n * JavaScript and Java reserved words.\n * @link https://github.com/jonschlinkert/reserved/blob/master/index.js\n */\nconst reservedWords = new Set([\n 'abstract',\n 'arguments',\n 'boolean',\n 'break',\n 'byte',\n 'case',\n 'catch',\n 'char',\n 'class',\n 'const',\n 'continue',\n 'debugger',\n 'default',\n 'delete',\n 'do',\n 'double',\n 'else',\n 'enum',\n 'eval',\n 'export',\n 'extends',\n 'false',\n 'final',\n 'finally',\n 'float',\n 'for',\n 'function',\n 'goto',\n 'if',\n 'implements',\n 'import',\n 'in',\n 'instanceof',\n 'int',\n 'interface',\n 'let',\n 'long',\n 'native',\n 'new',\n 'null',\n 'package',\n 'private',\n 'protected',\n 'public',\n 'return',\n 'short',\n 'static',\n 'super',\n 'switch',\n 'synchronized',\n 'this',\n 'throw',\n 'throws',\n 'transient',\n 'true',\n 'try',\n 'typeof',\n 'var',\n 'void',\n 'volatile',\n 'while',\n 'with',\n 'yield',\n 'Array',\n 'Date',\n 'hasOwnProperty',\n 'Infinity',\n 'isFinite',\n 'isNaN',\n 'isPrototypeOf',\n 'length',\n 'Math',\n 'name',\n 'NaN',\n 'Number',\n 'Object',\n 'prototype',\n 'String',\n 'toString',\n 'undefined',\n 'valueOf',\n] as const)\n\n/**\n * Prefixes `word` with `_` when it is a reserved JavaScript/Java identifier or starts with a digit.\n *\n * @example\n * ```ts\n * transformReservedWord('class') // '_class'\n * transformReservedWord('42foo') // '_42foo'\n * transformReservedWord('status') // 'status'\n * ```\n */\nexport function transformReservedWord(word: string): string {\n const firstChar = word.charCodeAt(0)\n if (word && (reservedWords.has(word as 'valueOf') || (firstChar >= 48 && firstChar <= 57))) {\n return `_${word}`\n }\n return word\n}\n\n/**\n * Returns `true` when `name` is a syntactically valid JavaScript variable name.\n *\n * @example\n * ```ts\n * isValidVarName('status') // true\n * isValidVarName('class') // false (reserved word)\n * isValidVarName('42foo') // false (starts with digit)\n * ```\n */\nexport function isValidVarName(name: string): boolean {\n try {\n new Function(`var ${name}`)\n } catch {\n return false\n }\n return true\n}\n","import { camelCase } from './casing.ts'\nimport { isValidVarName } from './reserved.ts'\n\nexport type URLObject = {\n /**\n * The resolved URL string (Express-style or template literal, depending on context).\n */\n url: string\n /**\n * Extracted path parameters as a key-value map, or `undefined` when the path has none.\n */\n params?: Record<string, string>\n}\n\ntype ObjectOptions = {\n /**\n * Controls whether the `url` is rendered as an Express path or a template literal.\n * @default 'path'\n */\n type?: 'path' | 'template'\n /**\n * Optional transform applied to each extracted parameter name.\n */\n replacer?: (pathParam: string) => string\n /**\n * When `true`, the result is serialized to a string expression instead of a plain object.\n */\n stringify?: boolean\n}\n\n/**\n * Supported identifier casing strategies for path parameters.\n */\ntype PathCasing = 'camelcase'\n\ntype Options = {\n /**\n * Casing strategy applied to path parameter names.\n * @default undefined (original identifier preserved)\n */\n casing?: PathCasing\n}\n\n/**\n * Parses and transforms an OpenAPI/Swagger path string into various URL formats.\n *\n * @example\n * const p = new URLPath('/pet/{petId}')\n * p.URL // '/pet/:petId'\n * p.template // '`/pet/${petId}`'\n */\nexport class URLPath {\n /**\n * The raw OpenAPI/Swagger path string, e.g. `/pet/{petId}`.\n */\n path: string\n\n #options: Options\n\n constructor(path: string, options: Options = {}) {\n this.path = path\n this.#options = options\n }\n\n /** Converts the OpenAPI path to Express-style colon syntax, e.g. `/pet/{petId}` → `/pet/:petId`.\n *\n * @example\n * ```ts\n * new URLPath('/pet/{petId}').URL // '/pet/:petId'\n * ```\n */\n get URL(): string {\n return this.toURLPath()\n }\n\n /** Returns `true` when `path` is a fully-qualified URL (e.g. starts with `https://`).\n *\n * @example\n * ```ts\n * new URLPath('https://petstore.swagger.io/v2/pet').isURL // true\n * new URLPath('/pet/{petId}').isURL // false\n * ```\n */\n get isURL(): boolean {\n try {\n return !!new URL(this.path).href\n } catch {\n return false\n }\n }\n\n /**\n * Converts the OpenAPI path to a TypeScript template literal string.\n *\n * @example\n * new URLPath('/pet/{petId}').template // '`/pet/${petId}`'\n * new URLPath('/account/monetary-accountID').template // '`/account/${monetaryAccountId}`'\n */\n get template(): string {\n return this.toTemplateString()\n }\n\n /** Returns the path and its extracted params as a structured `URLObject`, or as a stringified expression when `stringify` is set.\n *\n * @example\n * ```ts\n * new URLPath('/pet/{petId}').object\n * // { url: '/pet/:petId', params: { petId: 'petId' } }\n * ```\n */\n get object(): URLObject | string {\n return this.toObject()\n }\n\n /** Returns a map of path parameter names, or `undefined` when the path has no parameters.\n *\n * @example\n * ```ts\n * new URLPath('/pet/{petId}').params // { petId: 'petId' }\n * new URLPath('/pet').params // undefined\n * ```\n */\n get params(): Record<string, string> | undefined {\n return this.getParams()\n }\n\n #transformParam(raw: string): string {\n const param = isValidVarName(raw) ? raw : camelCase(raw)\n return this.#options.casing === 'camelcase' ? camelCase(param) : param\n }\n\n /**\n * Iterates over every `{param}` token in `path`, calling `fn` with the raw token and transformed name.\n */\n #eachParam(fn: (raw: string, param: string) => void): void {\n for (const match of this.path.matchAll(/\\{([^}]+)\\}/g)) {\n const raw = match[1]!\n fn(raw, this.#transformParam(raw))\n }\n }\n\n toObject({ type = 'path', replacer, stringify }: ObjectOptions = {}): URLObject | string {\n const object = {\n url: type === 'path' ? this.toURLPath() : this.toTemplateString({ replacer }),\n params: this.getParams(),\n }\n\n if (stringify) {\n if (type === 'template') {\n return JSON.stringify(object).replaceAll(\"'\", '').replaceAll(`\"`, '')\n }\n\n if (object.params) {\n return `{ url: '${object.url}', params: ${JSON.stringify(object.params).replaceAll(\"'\", '').replaceAll(`\"`, '')} }`\n }\n\n return `{ url: '${object.url}' }`\n }\n\n return object\n }\n\n /**\n * Converts the OpenAPI path to a TypeScript template literal string.\n * An optional `replacer` can transform each extracted parameter name before interpolation.\n *\n * @example\n * new URLPath('/pet/{petId}').toTemplateString() // '`/pet/${petId}`'\n */\n toTemplateString({ prefix = '', replacer }: { prefix?: string; replacer?: (pathParam: string) => string } = {}): string {\n const parts = this.path.split(/\\{([^}]+)\\}/)\n const result = parts\n .map((part, i) => {\n if (i % 2 === 0) return part\n const param = this.#transformParam(part)\n return `\\${${replacer ? replacer(param) : param}}`\n })\n .join('')\n\n return `\\`${prefix}${result}\\``\n }\n\n /**\n * Extracts all `{param}` segments from the path and returns them as a key-value map.\n * An optional `replacer` transforms each parameter name in both key and value positions.\n * Returns `undefined` when no path parameters are found.\n *\n * @example\n * ```ts\n * new URLPath('/pet/{petId}/tag/{tagId}').getParams()\n * // { petId: 'petId', tagId: 'tagId' }\n * ```\n */\n getParams(replacer?: (pathParam: string) => string): Record<string, string> | undefined {\n const params: Record<string, string> = {}\n\n this.#eachParam((_raw, param) => {\n const key = replacer ? replacer(param) : param\n params[key] = key\n })\n\n return Object.keys(params).length > 0 ? params : undefined\n }\n\n /** Converts the OpenAPI path to Express-style colon syntax.\n *\n * @example\n * ```ts\n * new URLPath('/pet/{petId}').toURLPath() // '/pet/:petId'\n * ```\n */\n toURLPath(): string {\n return this.path.replace(/\\{([^}]+)\\}/g, ':$1')\n }\n}\n","import { camelCase } from '@internals/utils'\nimport type { OperationNode, SchemaNode, StatusCode } from '@kubb/ast/types'\n\n/**\n * Find the first 2xx response status code from an operation's responses.\n */\nexport function findSuccessStatusCode(responses: Array<{ statusCode: number | string }>): StatusCode | undefined {\n for (const res of responses) {\n const code = Number(res.statusCode)\n if (code >= 200 && code < 300) {\n return res.statusCode as StatusCode\n }\n }\n return undefined\n}\n\nexport type ZodParam = {\n name: string\n schemaName: string\n}\n\n/**\n * Render a group param value — either a group schema name directly (kubbV4),\n * or compose individual schemas into `z.object({ ... })` (v5).\n */\nexport function zodGroupExpr(entry: string | Array<ZodParam>): string {\n if (typeof entry === 'string') {\n return entry\n }\n const entries = entry.map((p) => `${JSON.stringify(p.name)}: ${p.schemaName}`)\n return `z.object({ ${entries.join(', ')} })`\n}\n\n/**\n * Build JSDoc comment lines from an OperationNode.\n */\nexport function getComments(node: OperationNode): Array<string> {\n return [\n node.description && `@description ${node.description}`,\n node.summary && `@summary ${node.summary}`,\n node.deprecated && '@deprecated',\n `{@link ${node.path.replaceAll('{', ':').replaceAll('}', '')}}`,\n ].filter((x): x is string => Boolean(x))\n}\n\n/**\n * Build a mapping of original param names → camelCase names.\n * Returns `undefined` when no names actually change (no remapping needed).\n */\nexport function getParamsMapping(params: Array<{ name: string }>): Record<string, string> | undefined {\n if (!params.length) {\n return undefined\n }\n\n const mapping: Record<string, string> = {}\n let hasDifference = false\n\n for (const p of params) {\n const camelName = camelCase(p.name)\n mapping[p.name] = camelName\n if (p.name !== camelName) {\n hasDifference = true\n }\n }\n\n return hasDifference ? mapping : undefined\n}\n\n/**\n * Convert a SchemaNode type to an inline Zod expression string.\n * Used as fallback when no named zod schema is available for a path parameter.\n */\nexport function zodExprFromSchemaNode(schema: SchemaNode): string {\n let expr: string\n switch (schema.type) {\n case 'integer':\n expr = 'z.coerce.number()'\n break\n case 'number':\n expr = 'z.number()'\n break\n case 'boolean':\n expr = 'z.boolean()'\n break\n case 'array':\n expr = 'z.array(z.unknown())'\n break\n default:\n expr = 'z.string()'\n }\n\n if (schema.nullable) {\n expr = `${expr}.nullable()`\n }\n\n return expr\n}\n","import { isValidVarName, URLPath } from '@internals/utils'\nimport { caseParams, createOperationParams } from '@kubb/ast'\nimport type { OperationNode } from '@kubb/ast/types'\nimport type { ResolverTs } from '@kubb/plugin-ts'\nimport { functionPrinter } from '@kubb/plugin-ts'\nimport { File, Function } from '@kubb/renderer-jsx'\nimport type { KubbReactNode } from '@kubb/renderer-jsx/types'\nimport type { PluginMcp } from '../types.ts'\nimport { getComments, getParamsMapping } from '../utils.ts'\n\ntype Props = {\n /**\n * Name of the handler function.\n */\n name: string\n /**\n * AST operation node.\n */\n node: OperationNode\n /**\n * TypeScript resolver for resolving param/data/response type names.\n */\n resolver: ResolverTs\n /**\n * Base URL prepended to every generated request URL.\n */\n baseURL: string | undefined\n /**\n * Return type when calling fetch.\n * - 'data' returns response data only.\n * - 'full' returns the full response object.\n * @default 'data'\n */\n dataReturnType: PluginMcp['resolvedOptions']['client']['dataReturnType']\n /**\n * How to style your params.\n */\n paramsCasing?: PluginMcp['resolvedOptions']['paramsCasing']\n}\n\n/**\n * Generate a remapping statement: `const mappedX = x ? { \"orig\": x.camel, ... } : undefined`\n */\nfunction buildRemappingCode(mapping: Record<string, string>, varName: string, sourceName: string): string {\n const pairs = Object.entries(mapping)\n .map(([orig, camel]) => `\"${orig}\": ${sourceName}.${camel}`)\n .join(', ')\n return `const ${varName} = ${sourceName} ? { ${pairs} } : undefined`\n}\n\nconst declarationPrinter = functionPrinter({ mode: 'declaration' })\n\nexport function McpHandler({ name, node, resolver, baseURL, dataReturnType, paramsCasing }: Props): KubbReactNode {\n const urlPath = new URLPath(node.path)\n const contentType = node.requestBody?.contentType\n const isFormData = contentType === 'multipart/form-data'\n\n const casedParams = caseParams(node.parameters, paramsCasing)\n const queryParams = casedParams.filter((p) => p.in === 'query')\n const headerParams = casedParams.filter((p) => p.in === 'header')\n\n // Use original (uncased) parameters for mapping so original→camelCase difference is detected\n const originalPathParams = node.parameters.filter((p) => p.in === 'path')\n const originalQueryParams = node.parameters.filter((p) => p.in === 'query')\n const originalHeaderParams = node.parameters.filter((p) => p.in === 'header')\n\n const requestName = node.requestBody?.schema ? resolver.resolveDataName(node) : undefined\n const responseName = resolver.resolveResponseName(node)\n\n const errorResponses = node.responses.filter((r) => Number(r.statusCode) >= 400).map((r) => resolver.resolveResponseStatusName(node, r.statusCode))\n const errorType = errorResponses.length > 0 ? errorResponses.join(' | ') : 'Error'\n\n const TError = `ResponseErrorConfig<${errorType}>`\n const generics = [responseName, TError, requestName || 'unknown'].filter(Boolean)\n\n const paramsNode = createOperationParams(node, {\n paramsType: 'object',\n pathParamsType: 'inline',\n resolver,\n paramsCasing,\n })\n const paramsSignature = declarationPrinter.print(paramsNode) ?? ''\n\n const pathParamsMapping = paramsCasing ? getParamsMapping(originalPathParams) : undefined\n const queryParamsMapping = paramsCasing ? getParamsMapping(originalQueryParams) : undefined\n const headerParamsMapping = paramsCasing ? getParamsMapping(originalHeaderParams) : undefined\n\n const contentTypeHeader =\n contentType && contentType !== 'application/json' && contentType !== 'multipart/form-data' ? `'Content-Type': '${contentType}'` : undefined\n const headers = [headerParams.length ? (headerParamsMapping ? '...mappedHeaders' : '...headers') : undefined, contentTypeHeader].filter(Boolean)\n\n const fetchConfig: string[] = []\n fetchConfig.push(`method: ${JSON.stringify(node.method.toUpperCase())}`)\n fetchConfig.push(`url: ${urlPath.template}`)\n if (baseURL) fetchConfig.push(`baseURL: \\`${baseURL}\\``)\n if (queryParams.length) fetchConfig.push(queryParamsMapping ? 'params: mappedParams' : 'params')\n if (requestName) fetchConfig.push(`data: ${isFormData ? 'formData as FormData' : 'requestData'}`)\n if (headers.length) fetchConfig.push(`headers: { ${headers.join(', ')} }`)\n\n const callToolResult =\n dataReturnType === 'data'\n ? `return {\n content: [\n {\n type: 'text',\n text: JSON.stringify(res.data)\n }\n ],\n structuredContent: { data: res.data }\n }`\n : `return {\n content: [\n {\n type: 'text',\n text: JSON.stringify(res)\n }\n ],\n structuredContent: { data: res.data }\n }`\n\n return (\n <File.Source name={name} isExportable isIndexable>\n <Function\n name={name}\n async\n export\n params={paramsSignature}\n JSDoc={{\n comments: getComments(node),\n }}\n returnType={'Promise<CallToolResult>'}\n >\n {''}\n <br />\n <br />\n {pathParamsMapping &&\n Object.entries(pathParamsMapping)\n .filter(([originalName, camelCaseName]) => originalName !== camelCaseName && isValidVarName(originalName))\n .map(([originalName, camelCaseName]) => `const ${originalName} = ${camelCaseName}`)\n .join('\\n')}\n {pathParamsMapping && (\n <>\n <br />\n <br />\n </>\n )}\n {queryParamsMapping && queryParams.length > 0 && (\n <>\n {buildRemappingCode(queryParamsMapping, 'mappedParams', 'params')}\n <br />\n <br />\n </>\n )}\n {headerParamsMapping && headerParams.length > 0 && (\n <>\n {buildRemappingCode(headerParamsMapping, 'mappedHeaders', 'headers')}\n <br />\n <br />\n </>\n )}\n {requestName && 'const requestData = data'}\n <br />\n {isFormData && requestName && 'const formData = buildFormData(requestData)'}\n <br />\n {`const res = await fetch<${generics.join(', ')}>({ ${fetchConfig.join(', ')} })`}\n <br />\n {callToolResult}\n </Function>\n </File.Source>\n )\n}\n","import { caseParams, createFunctionParameter, createFunctionParameters, createParameterGroup } from '@kubb/ast'\nimport type { FileNode, OperationNode } from '@kubb/ast/types'\nimport { functionPrinter } from '@kubb/plugin-ts'\nimport { Const, File, Function } from '@kubb/renderer-jsx'\nimport type { KubbReactNode } from '@kubb/renderer-jsx/types'\nimport type { PluginMcp } from '../types.ts'\nimport type { ZodParam } from '../utils.ts'\nimport { zodExprFromSchemaNode, zodGroupExpr } from '../utils.ts'\n\ntype Props = {\n /**\n * Variable name for the MCP server instance (e.g. 'server').\n */\n name: string\n /**\n * Human-readable server name passed to `new McpServer({ name })`.\n */\n serverName: string\n /**\n * Semantic version string passed to `new McpServer({ version })`.\n */\n serverVersion: string\n /**\n * How to style your params.\n */\n paramsCasing?: PluginMcp['resolvedOptions']['paramsCasing']\n /**\n * Operations to register as MCP tools, each carrying its handler,\n * zod schema, and AST node metadata.\n */\n operations: Array<{\n tool: {\n name: string\n title?: string\n description: string\n }\n mcp: {\n name: string\n file: FileNode\n }\n zod: {\n pathParams: Array<ZodParam>\n /**\n * Query params — either a group schema name (kubbV4) or individual schemas to compose (v5).\n */\n queryParams?: string | Array<ZodParam>\n /**\n * Header params — either a group schema name (kubbV4) or individual schemas to compose (v5).\n */\n headerParams?: string | Array<ZodParam>\n requestName?: string\n responseName?: string\n }\n node: OperationNode\n }>\n}\n\nconst keysPrinter = functionPrinter({ mode: 'keys' })\n\nexport function Server({ name, serverName, serverVersion, paramsCasing, operations }: Props): KubbReactNode {\n return (\n <File.Source name={name} isExportable isIndexable>\n <Const name={'server'} export>\n {`\n new McpServer({\n name: '${serverName}',\n version: '${serverVersion}',\n})\n `}\n </Const>\n\n {operations\n .map(({ tool, mcp, zod, node }) => {\n const casedParams = caseParams(node.parameters, paramsCasing)\n const pathParams = casedParams.filter((p) => p.in === 'path')\n\n const pathEntries: Array<{ key: string; value: string }> = []\n const otherEntries: Array<{ key: string; value: string }> = []\n\n for (const p of pathParams) {\n const zodParam = zod.pathParams.find((zp) => zp.name === p.name)\n pathEntries.push({ key: p.name, value: zodParam ? zodParam.schemaName : zodExprFromSchemaNode(p.schema) })\n }\n\n if (zod.requestName) {\n otherEntries.push({ key: 'data', value: zod.requestName })\n }\n\n if (zod.queryParams) {\n otherEntries.push({ key: 'params', value: zodGroupExpr(zod.queryParams) })\n }\n\n if (zod.headerParams) {\n otherEntries.push({ key: 'headers', value: zodGroupExpr(zod.headerParams) })\n }\n\n otherEntries.sort((a, b) => a.key.localeCompare(b.key))\n const entries = [...pathEntries, ...otherEntries]\n\n const paramsNode = entries.length\n ? createFunctionParameters({\n params: [\n createParameterGroup({\n properties: entries.map((e) => createFunctionParameter({ name: e.key, optional: false })),\n }),\n ],\n })\n : undefined\n\n const destructured = paramsNode ? (keysPrinter.print(paramsNode) ?? '') : ''\n const inputSchema = entries.length ? `{ ${entries.map((e) => `${e.key}: ${e.value}`).join(', ')} }` : undefined\n const outputSchema = zod.responseName\n\n const config = [\n tool.title ? `title: ${JSON.stringify(tool.title)}` : null,\n `description: ${JSON.stringify(tool.description)}`,\n outputSchema ? `outputSchema: { data: ${outputSchema} }` : null,\n ]\n .filter(Boolean)\n .join(',\\n ')\n\n if (inputSchema) {\n return `\nserver.registerTool(${JSON.stringify(tool.name)}, {\n ${config},\n inputSchema: ${inputSchema},\n}, async (${destructured}) => {\n return ${mcp.name}(${destructured})\n})\n `\n }\n\n return `\nserver.registerTool(${JSON.stringify(tool.name)}, {\n ${config},\n}, async () => {\n return ${mcp.name}()\n})\n `\n })\n .filter(Boolean)}\n\n <Function name=\"startServer\" async export>\n {`try {\n const transport = new StdioServerTransport()\n await server.connect(transport)\n\n } catch (error) {\n console.error('Failed to start server:', error)\n process.exit(1)\n }`}\n </Function>\n </File.Source>\n )\n}\n","import path from 'node:path'\nimport { caseParams } from '@kubb/ast'\nimport { defineGenerator } from '@kubb/core'\nimport { pluginTsName } from '@kubb/plugin-ts'\nimport { File } from '@kubb/renderer-jsx'\nimport { McpHandler } from '../components/McpHandler.tsx'\nimport type { PluginMcp } from '../types.ts'\n\nexport const mcpGenerator = defineGenerator<PluginMcp>({\n name: 'mcp',\n operation(node, options) {\n const { resolver, driver, root } = this\n const { output, client, paramsCasing, group } = options\n\n const pluginTs = driver.getPlugin(pluginTsName)\n\n if (!pluginTs?.resolver) {\n return null\n }\n\n const casedParams = caseParams(node.parameters, paramsCasing)\n\n const pathParams = casedParams.filter((p) => p.in === 'path')\n const queryParams = casedParams.filter((p) => p.in === 'query')\n const headerParams = casedParams.filter((p) => p.in === 'header')\n\n const importedTypeNames = [\n ...pathParams.map((p) => pluginTs.resolver.resolvePathParamsName(node, p)),\n ...queryParams.map((p) => pluginTs.resolver.resolveQueryParamsName(node, p)),\n ...headerParams.map((p) => pluginTs.resolver.resolveHeaderParamsName(node, p)),\n node.requestBody?.schema ? pluginTs.resolver.resolveDataName(node) : undefined,\n pluginTs.resolver.resolveResponseName(node),\n ...node.responses.filter((r) => Number(r.statusCode) >= 400).map((r) => pluginTs.resolver.resolveResponseStatusName(node, r.statusCode)),\n ].filter(Boolean)\n\n const meta = {\n name: resolver.resolveName(node.operationId),\n file: resolver.resolveFile({ name: node.operationId, extname: '.ts', tag: node.tags[0] ?? 'default', path: node.path }, { root, output, group }),\n fileTs: pluginTs.resolver.resolveFile(\n { name: node.operationId, extname: '.ts', tag: node.tags[0] ?? 'default', path: node.path },\n {\n root,\n output: pluginTs.options?.output ?? output,\n group: pluginTs.options?.group,\n },\n ),\n } as const\n\n return (\n <File baseName={meta.file.baseName} path={meta.file.path} meta={meta.file.meta}>\n {meta.fileTs && importedTypeNames.length > 0 && (\n <File.Import name={Array.from(new Set(importedTypeNames)).sort()} root={meta.file.path} path={meta.fileTs.path} isTypeOnly />\n )}\n <File.Import name={['CallToolResult']} path={'@modelcontextprotocol/sdk/types'} isTypeOnly />\n <File.Import name={['buildFormData']} root={meta.file.path} path={path.resolve(root, '.kubb/config.ts')} />\n {client.importPath ? (\n <>\n <File.Import name={['Client', 'RequestConfig', 'ResponseErrorConfig']} path={client.importPath} isTypeOnly />\n <File.Import name={'fetch'} path={client.importPath} />\n {client.dataReturnType === 'full' && <File.Import name={['ResponseConfig']} path={client.importPath} isTypeOnly />}\n </>\n ) : (\n <>\n <File.Import\n name={['Client', 'RequestConfig', 'ResponseErrorConfig']}\n root={meta.file.path}\n path={path.resolve(root, '.kubb/fetch.ts')}\n isTypeOnly\n />\n <File.Import name={['fetch']} root={meta.file.path} path={path.resolve(root, '.kubb/fetch.ts')} />\n {client.dataReturnType === 'full' && (\n <File.Import name={['ResponseConfig']} root={meta.file.path} path={path.resolve(root, '.kubb/fetch.ts')} isTypeOnly />\n )}\n </>\n )}\n\n <McpHandler\n name={meta.name}\n node={node}\n resolver={pluginTs.resolver}\n baseURL={client.baseURL}\n dataReturnType={client.dataReturnType || 'data'}\n paramsCasing={paramsCasing}\n />\n </File>\n )\n },\n})\n","import path from 'node:path'\nimport { caseParams } from '@kubb/ast'\nimport { defineGenerator } from '@kubb/core'\nimport { pluginZodName } from '@kubb/plugin-zod'\nimport { File } from '@kubb/renderer-jsx'\nimport { Server } from '../components/Server.tsx'\nimport type { PluginMcp } from '../types.ts'\nimport { findSuccessStatusCode } from '../utils.ts'\n\n/**\n * Default server generator for `compatibilityPreset: 'default'` (v5).\n *\n * Uses individual zod schemas for each param (e.g. `createPetsPathUuidSchema`, `createPetsQueryOffsetSchema`)\n * and `resolveResponseStatusName` for per-status response schemas.\n * Query and header params are composed into `z.object({ ... })` from individual schemas.\n */\nexport const serverGenerator = defineGenerator<PluginMcp>({\n name: 'operations',\n operations(nodes, options) {\n const { adapter, config, resolver, plugin, driver, root } = this\n const { output, paramsCasing, group } = options\n\n const pluginZod = driver.getPlugin(pluginZodName)\n\n if (!pluginZod?.resolver) {\n return\n }\n\n const name = 'server'\n const serverFilePath = path.resolve(root, output.path, 'server.ts')\n const serverFile = {\n baseName: 'server.ts' as const,\n path: serverFilePath,\n meta: { pluginName: plugin.name },\n }\n\n const jsonFilePath = path.resolve(root, output.path, '.mcp.json')\n const jsonFile = {\n baseName: '.mcp.json' as const,\n path: jsonFilePath,\n meta: { pluginName: plugin.name },\n }\n\n const operationsMapped = nodes.map((node) => {\n const casedParams = caseParams(node.parameters, paramsCasing)\n const pathParams = casedParams.filter((p) => p.in === 'path')\n const queryParams = casedParams.filter((p) => p.in === 'query')\n const headerParams = casedParams.filter((p) => p.in === 'header')\n\n const mcpFile = resolver.resolveFile({ name: node.operationId, extname: '.ts', tag: node.tags[0] ?? 'default', path: node.path }, { root, output, group })\n\n const zodFile = pluginZod.resolver.resolveFile(\n { name: node.operationId, extname: '.ts', tag: node.tags[0] ?? 'default', path: node.path },\n {\n root,\n output: pluginZod.options?.output ?? output,\n group: pluginZod.options?.group,\n },\n )\n\n const requestName = node.requestBody?.schema ? pluginZod.resolver.resolveDataName(node) : undefined\n const successStatus = findSuccessStatusCode(node.responses)\n const responseName = successStatus ? pluginZod.resolver.resolveResponseStatusName(node, successStatus) : undefined\n\n const resolveParams = (params: typeof pathParams) => params.map((p) => ({ name: p.name, schemaName: pluginZod.resolver.resolveParamName(node, p) }))\n\n return {\n tool: {\n name: node.operationId,\n title: node.summary || undefined,\n description: node.description || `Make a ${node.method.toUpperCase()} request to ${node.path}`,\n },\n mcp: {\n name: resolver.resolveName(node.operationId),\n file: mcpFile,\n },\n zod: {\n pathParams: resolveParams(pathParams),\n queryParams: queryParams.length ? resolveParams(queryParams) : undefined,\n headerParams: headerParams.length ? resolveParams(headerParams) : undefined,\n requestName,\n responseName,\n file: zodFile,\n },\n node: node,\n }\n })\n\n const imports = operationsMapped.flatMap(({ mcp, zod }) => {\n const zodNames = [\n ...zod.pathParams.map((p) => p.schemaName),\n ...(zod.queryParams ?? []).map((p) => p.schemaName),\n ...(zod.headerParams ?? []).map((p) => p.schemaName),\n zod.requestName,\n zod.responseName,\n ].filter(Boolean)\n\n const uniqueNames = [...new Set(zodNames)].sort()\n\n return [\n <File.Import key={mcp.name} name={[mcp.name]} root={serverFile.path} path={mcp.file.path} />,\n uniqueNames.length > 0 && <File.Import key={`zod-${mcp.name}`} name={uniqueNames} root={serverFile.path} path={zod.file.path} />,\n ].filter(Boolean)\n })\n\n return (\n <>\n <File\n baseName={serverFile.baseName}\n path={serverFile.path}\n meta={serverFile.meta}\n banner={resolver.resolveBanner(adapter.inputNode, { output, config })}\n footer={resolver.resolveFooter(adapter.inputNode, { output, config })}\n >\n <File.Import name={['McpServer']} path={'@modelcontextprotocol/sdk/server/mcp'} />\n <File.Import name={['z']} path={'zod'} />\n <File.Import name={['StdioServerTransport']} path={'@modelcontextprotocol/sdk/server/stdio'} />\n\n {imports}\n <Server\n name={name}\n serverName={adapter.inputNode?.meta?.title ?? 'server'}\n serverVersion={adapter.inputNode?.meta?.version ?? '0.0.0'}\n paramsCasing={paramsCasing}\n operations={operationsMapped}\n />\n </File>\n\n <File baseName={jsonFile.baseName} path={jsonFile.path} meta={jsonFile.meta}>\n <File.Source name={name}>\n {`\n {\n \"mcpServers\": {\n \"${adapter.inputNode?.meta?.title || 'server'}\": {\n \"type\": \"stdio\",\n \"command\": \"npx\",\n \"args\": [\"tsx\", \"${path.relative(path.dirname(jsonFile.path), serverFile.path)}\"]\n }\n }\n }\n `}\n </File.Source>\n </File>\n </>\n )\n },\n})\n","import path from 'node:path'\nimport { caseParams } from '@kubb/ast'\nimport { defineGenerator } from '@kubb/core'\nimport { pluginZodName } from '@kubb/plugin-zod'\nimport { File } from '@kubb/renderer-jsx'\nimport { Server } from '../components/Server.tsx'\nimport type { PluginMcp } from '../types.ts'\n\n/**\n * Legacy server generator for `compatibilityPreset: 'kubbV4'`.\n *\n * Uses grouped zod schemas for query/header params (e.g. `createPetsQueryParamsSchema`)\n * and `resolveResponseName` for the combined response schema.\n * Path params are always rendered inline (no named imports).\n */\nexport const serverGeneratorLegacy = defineGenerator<PluginMcp>({\n name: 'operations',\n operations(nodes, options) {\n const { adapter, config, resolver, plugin, driver, root } = this\n const { output, paramsCasing, group } = options\n\n const pluginZod = driver.getPlugin(pluginZodName)\n\n if (!pluginZod?.resolver) {\n return\n }\n\n const name = 'server'\n const serverFilePath = path.resolve(root, output.path, 'server.ts')\n const serverFile = {\n baseName: 'server.ts' as const,\n path: serverFilePath,\n meta: { pluginName: plugin.name },\n }\n\n const jsonFilePath = path.resolve(root, output.path, '.mcp.json')\n const jsonFile = {\n baseName: '.mcp.json' as const,\n path: jsonFilePath,\n meta: { pluginName: plugin.name },\n }\n\n const operationsMapped = nodes.map((node) => {\n const casedParams = caseParams(node.parameters, paramsCasing)\n const queryParams = casedParams.filter((p) => p.in === 'query')\n const headerParams = casedParams.filter((p) => p.in === 'header')\n\n const mcpFile = resolver.resolveFile({ name: node.operationId, extname: '.ts', tag: node.tags[0] ?? 'default', path: node.path }, { root, output, group })\n\n const zodFile = pluginZod?.resolver.resolveFile(\n { name: node.operationId, extname: '.ts', tag: node.tags[0] ?? 'default', path: node.path },\n {\n root,\n output: pluginZod?.options?.output ?? output,\n group: pluginZod?.options?.group,\n },\n )\n\n const requestName = node.requestBody?.schema ? pluginZod?.resolver.resolveDataName(node) : undefined\n const responseName = pluginZod?.resolver.resolveResponseName(node)\n\n const zodQueryParams = queryParams.length ? pluginZod?.resolver.resolveQueryParamsName(node, queryParams[0]!) : undefined\n\n const zodHeaderParams = headerParams.length ? pluginZod?.resolver.resolveHeaderParamsName(node, headerParams[0]!) : undefined\n\n return {\n tool: {\n name: node.operationId,\n title: node.summary || undefined,\n description: node.description || `Make a ${node.method.toUpperCase()} request to ${node.path}`,\n },\n mcp: {\n name: resolver.resolveName(node.operationId),\n file: mcpFile,\n },\n zod: {\n pathParams: [],\n queryParams: zodQueryParams,\n headerParams: zodHeaderParams,\n requestName,\n responseName,\n file: zodFile,\n },\n node: node,\n }\n })\n\n const imports = operationsMapped.flatMap(({ mcp, zod }) => {\n const zodNames = [zod.queryParams, zod.headerParams, zod.requestName, zod.responseName].filter(Boolean) as string[]\n\n return [\n <File.Import key={mcp.name} name={[mcp.name]} root={serverFile.path} path={mcp.file.path} />,\n zod.file && zodNames.length > 0 && <File.Import key={`zod-${mcp.name}`} name={zodNames.sort()} root={serverFile.path} path={zod.file.path} />,\n ].filter(Boolean)\n })\n\n return (\n <>\n <File\n baseName={serverFile.baseName}\n path={serverFile.path}\n meta={serverFile.meta}\n banner={resolver.resolveBanner(adapter.inputNode, { output, config })}\n footer={resolver.resolveFooter(adapter.inputNode, { output, config })}\n >\n <File.Import name={['McpServer']} path={'@modelcontextprotocol/sdk/server/mcp'} />\n <File.Import name={['z']} path={'zod'} />\n <File.Import name={['StdioServerTransport']} path={'@modelcontextprotocol/sdk/server/stdio'} />\n\n {imports}\n <Server\n name={name}\n serverName={adapter.inputNode?.meta?.title ?? 'server'}\n serverVersion={(adapter.document as { openapi?: string })?.openapi ?? adapter.inputNode?.meta?.version ?? '0.0.0'}\n paramsCasing={paramsCasing}\n operations={operationsMapped}\n />\n </File>\n\n <File baseName={jsonFile.baseName} path={jsonFile.path} meta={jsonFile.meta}>\n <File.Source name={name}>\n {`\n {\n \"mcpServers\": {\n \"${adapter.inputNode?.meta?.title || 'server'}\": {\n \"type\": \"stdio\",\n \"command\": \"npx\",\n \"args\": [\"tsx\", \"${path.relative(path.dirname(jsonFile.path), serverFile.path)}\"]\n }\n }\n }\n `}\n </File.Source>\n </File>\n </>\n )\n },\n})\n","","import { camelCase } from '@internals/utils'\nimport { defineResolver } from '@kubb/core'\nimport type { PluginMcp } from '../types.ts'\n\n/**\n * Resolver for `@kubb/plugin-mcp` that provides the default naming\n * and path-resolution helpers used by the plugin.\n *\n * @example\n * ```ts\n * import { resolverMcp } from '@kubb/plugin-mcp'\n *\n * resolverMcp.default('addPet', 'function') // -> 'addPetHandler'\n * resolverMcp.resolveName('show pet by id') // -> 'showPetByIdHandler'\n * ```\n */\nexport const resolverMcp = defineResolver<PluginMcp>(() => ({\n name: 'default',\n pluginName: 'plugin-mcp',\n default(name, type) {\n if (type === 'file') {\n return camelCase(name, { isFile: true })\n }\n return camelCase(name, { suffix: 'handler' })\n },\n resolveName(name) {\n return this.default(name, 'function')\n },\n}))\n","import { definePresets } from '@kubb/core'\nimport { mcpGenerator } from './generators/mcpGenerator.tsx'\nimport { serverGenerator } from './generators/serverGenerator.tsx'\nimport { serverGeneratorLegacy } from './generators/serverGeneratorLegacy.tsx'\nimport { resolverMcp } from './resolvers/resolverMcp.ts'\nimport type { ResolverMcp } from './types.ts'\n\n/**\n * Built-in preset registry for `@kubb/plugin-mcp`.\n *\n * - `default` — v5 naming with individual zod schemas and per-status responses.\n * - `kubbV4` — legacy naming with grouped zod schemas and combined responses.\n */\nexport const presets = definePresets<ResolverMcp>({\n default: {\n name: 'default',\n resolver: resolverMcp,\n generators: [mcpGenerator, serverGenerator],\n },\n kubbV4: {\n name: 'kubbV4',\n resolver: resolverMcp,\n generators: [mcpGenerator, serverGeneratorLegacy],\n },\n})\n","import path from 'node:path'\nimport { camelCase } from '@internals/utils'\nimport { createFile, createSource, createText } from '@kubb/ast'\nimport { createPlugin, type Group, getPreset, mergeGenerators } from '@kubb/core'\nimport { pluginClientName } from '@kubb/plugin-client'\nimport { source as axiosClientSource } from '@kubb/plugin-client/templates/clients/axios.source'\nimport { source as fetchClientSource } from '@kubb/plugin-client/templates/clients/fetch.source'\nimport { source as configSource } from '@kubb/plugin-client/templates/config.source'\nimport { pluginTsName } from '@kubb/plugin-ts'\nimport { pluginZodName } from '@kubb/plugin-zod'\nimport { version } from '../package.json'\nimport { presets } from './presets.ts'\nimport type { PluginMcp } from './types.ts'\n\nexport const pluginMcpName = 'plugin-mcp' satisfies PluginMcp['name']\n\nexport const pluginMcp = createPlugin<PluginMcp>((options) => {\n const {\n output = { path: 'mcp', barrelType: 'named' },\n group,\n exclude = [],\n include,\n override = [],\n paramsCasing,\n client,\n compatibilityPreset = 'default',\n resolver: userResolver,\n transformer: userTransformer,\n generators: userGenerators = [],\n } = options\n\n const clientName = client?.client ?? 'axios'\n const clientImportPath = client?.importPath ?? (!client?.bundle ? `@kubb/plugin-client/clients/${clientName}` : undefined)\n\n const preset = getPreset({\n preset: compatibilityPreset,\n presets,\n resolver: userResolver,\n transformer: userTransformer,\n generators: userGenerators,\n })\n\n const generators = preset.generators ?? []\n const mergedGenerator = mergeGenerators(generators)\n\n return {\n name: pluginMcpName,\n version,\n get resolver() {\n return preset.resolver\n },\n get transformer() {\n return preset.transformer\n },\n get options() {\n return {\n output,\n exclude,\n include,\n override,\n group: group\n ? ({\n ...group,\n name: group.name\n ? group.name\n : (ctx: { group: string }) => {\n if (group.type === 'path') {\n return `${ctx.group.split('/')[1]}`\n }\n return `${camelCase(ctx.group)}Requests`\n },\n } satisfies Group)\n : undefined,\n paramsCasing,\n client: {\n client: clientName,\n clientType: client?.clientType ?? 'function',\n importPath: clientImportPath,\n dataReturnType: client?.dataReturnType ?? 'data',\n bundle: client?.bundle,\n baseURL: client?.baseURL,\n paramsCasing: client?.paramsCasing,\n },\n resolver: preset.resolver,\n }\n },\n pre: [pluginTsName, pluginZodName].filter(Boolean),\n async schema(node, options) {\n return mergedGenerator.schema?.call(this, node, options)\n },\n async operation(node, options) {\n return mergedGenerator.operation?.call(this, node, options)\n },\n async operations(nodes, options) {\n return mergedGenerator.operations?.call(this, nodes, options)\n },\n async buildStart() {\n const { adapter, driver } = this\n const root = this.root\n\n const baseURL = adapter?.inputNode?.meta?.baseURL\n if (baseURL) {\n this.plugin.options.client.baseURL = this.plugin.options.client.baseURL || baseURL\n }\n\n const hasClientPlugin = !!driver.getPlugin(pluginClientName)\n\n if (this.plugin.options.client.bundle && !hasClientPlugin && !this.plugin.options.client.importPath) {\n await this.addFile(\n createFile({\n baseName: 'fetch.ts',\n path: path.resolve(root, '.kubb/fetch.ts'),\n sources: [\n createSource({\n name: 'fetch',\n nodes: [createText(this.plugin.options.client.client === 'fetch' ? fetchClientSource : axiosClientSource)],\n isExportable: true,\n isIndexable: true,\n }),\n ],\n imports: [],\n exports: [],\n }),\n )\n }\n\n if (!hasClientPlugin) {\n await this.addFile(\n createFile({\n baseName: 'config.ts',\n path: path.resolve(root, '.kubb/config.ts'),\n sources: [\n createSource({\n name: 'config',\n nodes: [createText(configSource)],\n isExportable: false,\n isIndexable: false,\n }),\n ],\n imports: [],\n exports: [],\n }),\n )\n }\n\n await this.openInStudio({ ast: true })\n },\n }\n})\n"],"mappings":";;;;;;;;;;;;;;;;;;;;AAsBA,SAAS,gBAAgB,MAAc,QAAyB;AAS9D,QARmB,KAChB,MAAM,CACN,QAAQ,qBAAqB,QAAQ,CACrC,QAAQ,yBAAyB,QAAQ,CACzC,QAAQ,gBAAgB,QAAQ,CAEV,MAAM,gBAAgB,CAAC,OAAO,QAAQ,CAG5D,KAAK,MAAM,MAAM;AAEhB,MADiB,KAAK,SAAS,KAAK,SAAS,KAAK,aAAa,CACjD,QAAO;AACrB,MAAI,MAAM,KAAK,CAAC,OAAQ,QAAO,KAAK,OAAO,EAAE,CAAC,aAAa,GAAG,KAAK,MAAM,EAAE;AAC3E,SAAO,KAAK,OAAO,EAAE,CAAC,aAAa,GAAG,KAAK,MAAM,EAAE;GACnD,CACD,KAAK,GAAG,CACR,QAAQ,iBAAiB,GAAG;;;;;;;;;;AAWjC,SAAS,iBAAiB,MAAc,eAAkE;CACxG,MAAM,QAAQ,KAAK,MAAM,iBAAiB;AAC1C,QAAO,MAAM,KAAK,MAAM,MAAM,cAAc,MAAM,MAAM,MAAM,SAAS,EAAE,CAAC,CAAC,KAAK,IAAI;;;;;;;;;;AAWtF,SAAgB,UAAU,MAAc,EAAE,QAAQ,SAAS,IAAI,SAAS,OAAgB,EAAE,EAAU;AAClG,KAAI,OACF,QAAO,iBAAiB,OAAO,MAAM,WAAW,UAAU,MAAM,SAAS;EAAE;EAAQ;EAAQ,GAAG,EAAE,CAAC,CAAC;AAGpG,QAAO,gBAAgB,GAAG,OAAO,GAAG,KAAK,GAAG,UAAU,MAAM;;;;;;;;;;;;;;ACgD9D,SAAgB,eAAe,MAAuB;AACpD,KAAI;AACF,MAAI,SAAS,OAAO,OAAO;SACrB;AACN,SAAO;;AAET,QAAO;;;;;;;;;;;;ACvET,IAAa,UAAb,MAAqB;;;;CAInB;CAEA;CAEA,YAAY,MAAc,UAAmB,EAAE,EAAE;AAC/C,OAAK,OAAO;AACZ,QAAA,UAAgB;;;;;;;;;CAUlB,IAAI,MAAc;AAChB,SAAO,KAAK,WAAW;;;;;;;;;;CAWzB,IAAI,QAAiB;AACnB,MAAI;AACF,UAAO,CAAC,CAAC,IAAI,IAAI,KAAK,KAAK,CAAC;UACtB;AACN,UAAO;;;;;;;;;;CAWX,IAAI,WAAmB;AACrB,SAAO,KAAK,kBAAkB;;;;;;;;;;CAWhC,IAAI,SAA6B;AAC/B,SAAO,KAAK,UAAU;;;;;;;;;;CAWxB,IAAI,SAA6C;AAC/C,SAAO,KAAK,WAAW;;CAGzB,gBAAgB,KAAqB;EACnC,MAAM,QAAQ,eAAe,IAAI,GAAG,MAAM,UAAU,IAAI;AACxD,SAAO,MAAA,QAAc,WAAW,cAAc,UAAU,MAAM,GAAG;;;;;CAMnE,WAAW,IAAgD;AACzD,OAAK,MAAM,SAAS,KAAK,KAAK,SAAS,eAAe,EAAE;GACtD,MAAM,MAAM,MAAM;AAClB,MAAG,KAAK,MAAA,eAAqB,IAAI,CAAC;;;CAItC,SAAS,EAAE,OAAO,QAAQ,UAAU,cAA6B,EAAE,EAAsB;EACvF,MAAM,SAAS;GACb,KAAK,SAAS,SAAS,KAAK,WAAW,GAAG,KAAK,iBAAiB,EAAE,UAAU,CAAC;GAC7E,QAAQ,KAAK,WAAW;GACzB;AAED,MAAI,WAAW;AACb,OAAI,SAAS,WACX,QAAO,KAAK,UAAU,OAAO,CAAC,WAAW,KAAK,GAAG,CAAC,WAAW,KAAK,GAAG;AAGvE,OAAI,OAAO,OACT,QAAO,WAAW,OAAO,IAAI,aAAa,KAAK,UAAU,OAAO,OAAO,CAAC,WAAW,KAAK,GAAG,CAAC,WAAW,KAAK,GAAG,CAAC;AAGlH,UAAO,WAAW,OAAO,IAAI;;AAG/B,SAAO;;;;;;;;;CAUT,iBAAiB,EAAE,SAAS,IAAI,aAA4E,EAAE,EAAU;AAUtH,SAAO,KAAK,SATE,KAAK,KAAK,MAAM,cAAc,CAEzC,KAAK,MAAM,MAAM;AAChB,OAAI,IAAI,MAAM,EAAG,QAAO;GACxB,MAAM,QAAQ,MAAA,eAAqB,KAAK;AACxC,UAAO,MAAM,WAAW,SAAS,MAAM,GAAG,MAAM;IAChD,CACD,KAAK,GAAG,CAEiB;;;;;;;;;;;;;CAc9B,UAAU,UAA8E;EACtF,MAAM,SAAiC,EAAE;AAEzC,QAAA,WAAiB,MAAM,UAAU;GAC/B,MAAM,MAAM,WAAW,SAAS,MAAM,GAAG;AACzC,UAAO,OAAO;IACd;AAEF,SAAO,OAAO,KAAK,OAAO,CAAC,SAAS,IAAI,SAAS,KAAA;;;;;;;;;CAUnD,YAAoB;AAClB,SAAO,KAAK,KAAK,QAAQ,gBAAgB,MAAM;;;;;;;;AC9MnD,SAAgB,sBAAsB,WAA2E;AAC/G,MAAK,MAAM,OAAO,WAAW;EAC3B,MAAM,OAAO,OAAO,IAAI,WAAW;AACnC,MAAI,QAAQ,OAAO,OAAO,IACxB,QAAO,IAAI;;;;;;;AAejB,SAAgB,aAAa,OAAyC;AACpE,KAAI,OAAO,UAAU,SACnB,QAAO;AAGT,QAAO,cADS,MAAM,KAAK,MAAM,GAAG,KAAK,UAAU,EAAE,KAAK,CAAC,IAAI,EAAE,aAAa,CACjD,KAAK,KAAK,CAAC;;;;;AAM1C,SAAgB,YAAY,MAAoC;AAC9D,QAAO;EACL,KAAK,eAAe,gBAAgB,KAAK;EACzC,KAAK,WAAW,YAAY,KAAK;EACjC,KAAK,cAAc;EACnB,UAAU,KAAK,KAAK,WAAW,KAAK,IAAI,CAAC,WAAW,KAAK,GAAG,CAAC;EAC9D,CAAC,QAAQ,MAAmB,QAAQ,EAAE,CAAC;;;;;;AAO1C,SAAgB,iBAAiB,QAAqE;AACpG,KAAI,CAAC,OAAO,OACV;CAGF,MAAM,UAAkC,EAAE;CAC1C,IAAI,gBAAgB;AAEpB,MAAK,MAAM,KAAK,QAAQ;EACtB,MAAM,YAAY,UAAU,EAAE,KAAK;AACnC,UAAQ,EAAE,QAAQ;AAClB,MAAI,EAAE,SAAS,UACb,iBAAgB;;AAIpB,QAAO,gBAAgB,UAAU,KAAA;;;;;;AAOnC,SAAgB,sBAAsB,QAA4B;CAChE,IAAI;AACJ,SAAQ,OAAO,MAAf;EACE,KAAK;AACH,UAAO;AACP;EACF,KAAK;AACH,UAAO;AACP;EACF,KAAK;AACH,UAAO;AACP;EACF,KAAK;AACH,UAAO;AACP;EACF,QACE,QAAO;;AAGX,KAAI,OAAO,SACT,QAAO,GAAG,KAAK;AAGjB,QAAO;;;;;;;ACpDT,SAAS,mBAAmB,SAAiC,SAAiB,YAA4B;AAIxG,QAAO,SAAS,QAAQ,KAAK,WAAW,OAH1B,OAAO,QAAQ,QAAQ,CAClC,KAAK,CAAC,MAAM,WAAW,IAAI,KAAK,KAAK,WAAW,GAAG,QAAQ,CAC3D,KAAK,KAAK,CACwC;;AAGvD,MAAM,qBAAqB,gBAAgB,EAAE,MAAM,eAAe,CAAC;AAEnE,SAAgB,WAAW,EAAE,MAAM,MAAM,UAAU,SAAS,gBAAgB,gBAAsC;CAChH,MAAM,UAAU,IAAI,QAAQ,KAAK,KAAK;CACtC,MAAM,cAAc,KAAK,aAAa;CACtC,MAAM,aAAa,gBAAgB;CAEnC,MAAM,cAAc,WAAW,KAAK,YAAY,aAAa;CAC7D,MAAM,cAAc,YAAY,QAAQ,MAAM,EAAE,OAAO,QAAQ;CAC/D,MAAM,eAAe,YAAY,QAAQ,MAAM,EAAE,OAAO,SAAS;CAGjE,MAAM,qBAAqB,KAAK,WAAW,QAAQ,MAAM,EAAE,OAAO,OAAO;CACzE,MAAM,sBAAsB,KAAK,WAAW,QAAQ,MAAM,EAAE,OAAO,QAAQ;CAC3E,MAAM,uBAAuB,KAAK,WAAW,QAAQ,MAAM,EAAE,OAAO,SAAS;CAE7E,MAAM,cAAc,KAAK,aAAa,SAAS,SAAS,gBAAgB,KAAK,GAAG,KAAA;CAChF,MAAM,eAAe,SAAS,oBAAoB,KAAK;CAEvD,MAAM,iBAAiB,KAAK,UAAU,QAAQ,MAAM,OAAO,EAAE,WAAW,IAAI,IAAI,CAAC,KAAK,MAAM,SAAS,0BAA0B,MAAM,EAAE,WAAW,CAAC;CAInJ,MAAM,WAAW;EAAC;EADH,uBAFG,eAAe,SAAS,IAAI,eAAe,KAAK,MAAM,GAAG,QAE3B;EACR,eAAe;EAAU,CAAC,OAAO,QAAQ;CAEjF,MAAM,aAAa,sBAAsB,MAAM;EAC7C,YAAY;EACZ,gBAAgB;EAChB;EACA;EACD,CAAC;CACF,MAAM,kBAAkB,mBAAmB,MAAM,WAAW,IAAI;CAEhE,MAAM,oBAAoB,eAAe,iBAAiB,mBAAmB,GAAG,KAAA;CAChF,MAAM,qBAAqB,eAAe,iBAAiB,oBAAoB,GAAG,KAAA;CAClF,MAAM,sBAAsB,eAAe,iBAAiB,qBAAqB,GAAG,KAAA;CAEpF,MAAM,oBACJ,eAAe,gBAAgB,sBAAsB,gBAAgB,wBAAwB,oBAAoB,YAAY,KAAK,KAAA;CACpI,MAAM,UAAU,CAAC,aAAa,SAAU,sBAAsB,qBAAqB,eAAgB,KAAA,GAAW,kBAAkB,CAAC,OAAO,QAAQ;CAEhJ,MAAM,cAAwB,EAAE;AAChC,aAAY,KAAK,WAAW,KAAK,UAAU,KAAK,OAAO,aAAa,CAAC,GAAG;AACxE,aAAY,KAAK,QAAQ,QAAQ,WAAW;AAC5C,KAAI,QAAS,aAAY,KAAK,cAAc,QAAQ,IAAI;AACxD,KAAI,YAAY,OAAQ,aAAY,KAAK,qBAAqB,yBAAyB,SAAS;AAChG,KAAI,YAAa,aAAY,KAAK,SAAS,aAAa,yBAAyB,gBAAgB;AACjG,KAAI,QAAQ,OAAQ,aAAY,KAAK,cAAc,QAAQ,KAAK,KAAK,CAAC,IAAI;CAE1E,MAAM,iBACJ,mBAAmB,SACf;;;;;;;;gBASA;;;;;;;;;AAUN,QACE,oBAAC,KAAK,QAAN;EAAmB;EAAM,cAAA;EAAa,aAAA;YACpC,qBAACG,YAAD;GACQ;GACN,OAAA;GACA,QAAA;GACA,QAAQ;GACR,OAAO,EACL,UAAU,YAAY,KAAK,EAC5B;GACD,YAAY;aARd;IAUG;IACD,oBAAC,MAAD,EAAM,CAAA;IACN,oBAAC,MAAD,EAAM,CAAA;IACL,qBACC,OAAO,QAAQ,kBAAkB,CAC9B,QAAQ,CAAC,cAAc,mBAAmB,iBAAiB,iBAAiB,eAAe,aAAa,CAAC,CACzG,KAAK,CAAC,cAAc,mBAAmB,SAAS,aAAa,KAAK,gBAAgB,CAClF,KAAK,KAAK;IACd,qBACC,qBAAA,UAAA,EAAA,UAAA,CACE,oBAAC,MAAD,EAAM,CAAA,EACN,oBAAC,MAAD,EAAM,CAAA,CACL,EAAA,CAAA;IAEJ,sBAAsB,YAAY,SAAS,KAC1C,qBAAA,UAAA,EAAA,UAAA;KACG,mBAAmB,oBAAoB,gBAAgB,SAAS;KACjE,oBAAC,MAAD,EAAM,CAAA;KACN,oBAAC,MAAD,EAAM,CAAA;KACL,EAAA,CAAA;IAEJ,uBAAuB,aAAa,SAAS,KAC5C,qBAAA,UAAA,EAAA,UAAA;KACG,mBAAmB,qBAAqB,iBAAiB,UAAU;KACpE,oBAAC,MAAD,EAAM,CAAA;KACN,oBAAC,MAAD,EAAM,CAAA;KACL,EAAA,CAAA;IAEJ,eAAe;IAChB,oBAAC,MAAD,EAAM,CAAA;IACL,cAAc,eAAe;IAC9B,oBAAC,MAAD,EAAM,CAAA;IACL,2BAA2B,SAAS,KAAK,KAAK,CAAC,MAAM,YAAY,KAAK,KAAK,CAAC;IAC7E,oBAAC,MAAD,EAAM,CAAA;IACL;IACQ;;EACC,CAAA;;;;AC/GlB,MAAM,cAAc,gBAAgB,EAAE,MAAM,QAAQ,CAAC;AAErD,SAAgB,OAAO,EAAE,MAAM,YAAY,eAAe,cAAc,cAAoC;AAC1G,QACE,qBAAC,KAAK,QAAN;EAAmB;EAAM,cAAA;EAAa,aAAA;YAAtC;GACE,oBAAC,OAAD;IAAO,MAAM;IAAU,QAAA;cACpB;;WAEE,WAAW;cACR,cAAc;;;IAGd,CAAA;GAEP,WACE,KAAK,EAAE,MAAM,KAAK,KAAK,WAAW;IAEjC,MAAM,aADc,WAAW,KAAK,YAAY,aAAa,CAC9B,QAAQ,MAAM,EAAE,OAAO,OAAO;IAE7D,MAAM,cAAqD,EAAE;IAC7D,MAAM,eAAsD,EAAE;AAE9D,SAAK,MAAM,KAAK,YAAY;KAC1B,MAAM,WAAW,IAAI,WAAW,MAAM,OAAO,GAAG,SAAS,EAAE,KAAK;AAChE,iBAAY,KAAK;MAAE,KAAK,EAAE;MAAM,OAAO,WAAW,SAAS,aAAa,sBAAsB,EAAE,OAAO;MAAE,CAAC;;AAG5G,QAAI,IAAI,YACN,cAAa,KAAK;KAAE,KAAK;KAAQ,OAAO,IAAI;KAAa,CAAC;AAG5D,QAAI,IAAI,YACN,cAAa,KAAK;KAAE,KAAK;KAAU,OAAO,aAAa,IAAI,YAAY;KAAE,CAAC;AAG5E,QAAI,IAAI,aACN,cAAa,KAAK;KAAE,KAAK;KAAW,OAAO,aAAa,IAAI,aAAa;KAAE,CAAC;AAG9E,iBAAa,MAAM,GAAG,MAAM,EAAE,IAAI,cAAc,EAAE,IAAI,CAAC;IACvD,MAAM,UAAU,CAAC,GAAG,aAAa,GAAG,aAAa;IAEjD,MAAM,aAAa,QAAQ,SACvB,yBAAyB,EACvB,QAAQ,CACN,qBAAqB,EACnB,YAAY,QAAQ,KAAK,MAAM,wBAAwB;KAAE,MAAM,EAAE;KAAK,UAAU;KAAO,CAAC,CAAC,EAC1F,CAAC,CACH,EACF,CAAC,GACF,KAAA;IAEJ,MAAM,eAAe,aAAc,YAAY,MAAM,WAAW,IAAI,KAAM;IAC1E,MAAM,cAAc,QAAQ,SAAS,KAAK,QAAQ,KAAK,MAAM,GAAG,EAAE,IAAI,IAAI,EAAE,QAAQ,CAAC,KAAK,KAAK,CAAC,MAAM,KAAA;IACtG,MAAM,eAAe,IAAI;IAEzB,MAAM,SAAS;KACb,KAAK,QAAQ,UAAU,KAAK,UAAU,KAAK,MAAM,KAAK;KACtD,gBAAgB,KAAK,UAAU,KAAK,YAAY;KAChD,eAAe,yBAAyB,aAAa,MAAM;KAC5D,CACE,OAAO,QAAQ,CACf,KAAK,QAAQ;AAEhB,QAAI,YACF,QAAO;sBACG,KAAK,UAAU,KAAK,KAAK,CAAC;IAC5C,OAAO;iBACM,YAAY;YACjB,aAAa;WACd,IAAI,KAAK,GAAG,aAAa;;;AAK1B,WAAO;sBACK,KAAK,UAAU,KAAK,KAAK,CAAC;IAC5C,OAAO;;WAEA,IAAI,KAAK;;;KAGV,CACD,OAAO,QAAQ;GAElB,oBAACC,YAAD;IAAU,MAAK;IAAc,OAAA;IAAM,QAAA;cAChC;;;;;;;;IAQQ,CAAA;GACC;;;;;AChJlB,MAAa,eAAe,gBAA2B;CACrD,MAAM;CACN,UAAU,MAAM,SAAS;EACvB,MAAM,EAAE,UAAU,QAAQ,SAAS;EACnC,MAAM,EAAE,QAAQ,QAAQ,cAAc,UAAU;EAEhD,MAAM,WAAW,OAAO,UAAU,aAAa;AAE/C,MAAI,CAAC,UAAU,SACb,QAAO;EAGT,MAAM,cAAc,WAAW,KAAK,YAAY,aAAa;EAE7D,MAAM,aAAa,YAAY,QAAQ,MAAM,EAAE,OAAO,OAAO;EAC7D,MAAM,cAAc,YAAY,QAAQ,MAAM,EAAE,OAAO,QAAQ;EAC/D,MAAM,eAAe,YAAY,QAAQ,MAAM,EAAE,OAAO,SAAS;EAEjE,MAAM,oBAAoB;GACxB,GAAG,WAAW,KAAK,MAAM,SAAS,SAAS,sBAAsB,MAAM,EAAE,CAAC;GAC1E,GAAG,YAAY,KAAK,MAAM,SAAS,SAAS,uBAAuB,MAAM,EAAE,CAAC;GAC5E,GAAG,aAAa,KAAK,MAAM,SAAS,SAAS,wBAAwB,MAAM,EAAE,CAAC;GAC9E,KAAK,aAAa,SAAS,SAAS,SAAS,gBAAgB,KAAK,GAAG,KAAA;GACrE,SAAS,SAAS,oBAAoB,KAAK;GAC3C,GAAG,KAAK,UAAU,QAAQ,MAAM,OAAO,EAAE,WAAW,IAAI,IAAI,CAAC,KAAK,MAAM,SAAS,SAAS,0BAA0B,MAAM,EAAE,WAAW,CAAC;GACzI,CAAC,OAAO,QAAQ;EAEjB,MAAM,OAAO;GACX,MAAM,SAAS,YAAY,KAAK,YAAY;GAC5C,MAAM,SAAS,YAAY;IAAE,MAAM,KAAK;IAAa,SAAS;IAAO,KAAK,KAAK,KAAK,MAAM;IAAW,MAAM,KAAK;IAAM,EAAE;IAAE;IAAM;IAAQ;IAAO,CAAC;GAChJ,QAAQ,SAAS,SAAS,YACxB;IAAE,MAAM,KAAK;IAAa,SAAS;IAAO,KAAK,KAAK,KAAK,MAAM;IAAW,MAAM,KAAK;IAAM,EAC3F;IACE;IACA,QAAQ,SAAS,SAAS,UAAU;IACpC,OAAO,SAAS,SAAS;IAC1B,CACF;GACF;AAED,SACE,qBAAC,MAAD;GAAM,UAAU,KAAK,KAAK;GAAU,MAAM,KAAK,KAAK;GAAM,MAAM,KAAK,KAAK;aAA1E;IACG,KAAK,UAAU,kBAAkB,SAAS,KACzC,oBAAC,KAAK,QAAN;KAAa,MAAM,MAAM,KAAK,IAAI,IAAI,kBAAkB,CAAC,CAAC,MAAM;KAAE,MAAM,KAAK,KAAK;KAAM,MAAM,KAAK,OAAO;KAAM,YAAA;KAAa,CAAA;IAE/H,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,iBAAiB;KAAE,MAAM;KAAmC,YAAA;KAAa,CAAA;IAC7F,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,gBAAgB;KAAE,MAAM,KAAK,KAAK;KAAM,MAAM,KAAK,QAAQ,MAAM,kBAAkB;KAAI,CAAA;IAC1G,OAAO,aACN,qBAAA,UAAA,EAAA,UAAA;KACE,oBAAC,KAAK,QAAN;MAAa,MAAM;OAAC;OAAU;OAAiB;OAAsB;MAAE,MAAM,OAAO;MAAY,YAAA;MAAa,CAAA;KAC7G,oBAAC,KAAK,QAAN;MAAa,MAAM;MAAS,MAAM,OAAO;MAAc,CAAA;KACtD,OAAO,mBAAmB,UAAU,oBAAC,KAAK,QAAN;MAAa,MAAM,CAAC,iBAAiB;MAAE,MAAM,OAAO;MAAY,YAAA;MAAa,CAAA;KACjH,EAAA,CAAA,GAEH,qBAAA,UAAA,EAAA,UAAA;KACE,oBAAC,KAAK,QAAN;MACE,MAAM;OAAC;OAAU;OAAiB;OAAsB;MACxD,MAAM,KAAK,KAAK;MAChB,MAAM,KAAK,QAAQ,MAAM,iBAAiB;MAC1C,YAAA;MACA,CAAA;KACF,oBAAC,KAAK,QAAN;MAAa,MAAM,CAAC,QAAQ;MAAE,MAAM,KAAK,KAAK;MAAM,MAAM,KAAK,QAAQ,MAAM,iBAAiB;MAAI,CAAA;KACjG,OAAO,mBAAmB,UACzB,oBAAC,KAAK,QAAN;MAAa,MAAM,CAAC,iBAAiB;MAAE,MAAM,KAAK,KAAK;MAAM,MAAM,KAAK,QAAQ,MAAM,iBAAiB;MAAE,YAAA;MAAa,CAAA;KAEvH,EAAA,CAAA;IAGL,oBAAC,YAAD;KACE,MAAM,KAAK;KACL;KACN,UAAU,SAAS;KACnB,SAAS,OAAO;KAChB,gBAAgB,OAAO,kBAAkB;KAC3B;KACd,CAAA;IACG;;;CAGZ,CAAC;;;;;;;;;;ACvEF,MAAa,kBAAkB,gBAA2B;CACxD,MAAM;CACN,WAAW,OAAO,SAAS;EACzB,MAAM,EAAE,SAAS,QAAQ,UAAU,QAAQ,QAAQ,SAAS;EAC5D,MAAM,EAAE,QAAQ,cAAc,UAAU;EAExC,MAAM,YAAY,OAAO,UAAU,cAAc;AAEjD,MAAI,CAAC,WAAW,SACd;EAGF,MAAM,OAAO;EAEb,MAAM,aAAa;GACjB,UAAU;GACV,MAHqB,KAAK,QAAQ,MAAM,OAAO,MAAM,YAAY;GAIjE,MAAM,EAAE,YAAY,OAAO,MAAM;GAClC;EAGD,MAAM,WAAW;GACf,UAAU;GACV,MAHmB,KAAK,QAAQ,MAAM,OAAO,MAAM,YAAY;GAI/D,MAAM,EAAE,YAAY,OAAO,MAAM;GAClC;EAED,MAAM,mBAAmB,MAAM,KAAK,SAAS;GAC3C,MAAM,cAAc,WAAW,KAAK,YAAY,aAAa;GAC7D,MAAM,aAAa,YAAY,QAAQ,MAAM,EAAE,OAAO,OAAO;GAC7D,MAAM,cAAc,YAAY,QAAQ,MAAM,EAAE,OAAO,QAAQ;GAC/D,MAAM,eAAe,YAAY,QAAQ,MAAM,EAAE,OAAO,SAAS;GAEjE,MAAM,UAAU,SAAS,YAAY;IAAE,MAAM,KAAK;IAAa,SAAS;IAAO,KAAK,KAAK,KAAK,MAAM;IAAW,MAAM,KAAK;IAAM,EAAE;IAAE;IAAM;IAAQ;IAAO,CAAC;GAE1J,MAAM,UAAU,UAAU,SAAS,YACjC;IAAE,MAAM,KAAK;IAAa,SAAS;IAAO,KAAK,KAAK,KAAK,MAAM;IAAW,MAAM,KAAK;IAAM,EAC3F;IACE;IACA,QAAQ,UAAU,SAAS,UAAU;IACrC,OAAO,UAAU,SAAS;IAC3B,CACF;GAED,MAAM,cAAc,KAAK,aAAa,SAAS,UAAU,SAAS,gBAAgB,KAAK,GAAG,KAAA;GAC1F,MAAM,gBAAgB,sBAAsB,KAAK,UAAU;GAC3D,MAAM,eAAe,gBAAgB,UAAU,SAAS,0BAA0B,MAAM,cAAc,GAAG,KAAA;GAEzG,MAAM,iBAAiB,WAA8B,OAAO,KAAK,OAAO;IAAE,MAAM,EAAE;IAAM,YAAY,UAAU,SAAS,iBAAiB,MAAM,EAAE;IAAE,EAAE;AAEpJ,UAAO;IACL,MAAM;KACJ,MAAM,KAAK;KACX,OAAO,KAAK,WAAW,KAAA;KACvB,aAAa,KAAK,eAAe,UAAU,KAAK,OAAO,aAAa,CAAC,cAAc,KAAK;KACzF;IACD,KAAK;KACH,MAAM,SAAS,YAAY,KAAK,YAAY;KAC5C,MAAM;KACP;IACD,KAAK;KACH,YAAY,cAAc,WAAW;KACrC,aAAa,YAAY,SAAS,cAAc,YAAY,GAAG,KAAA;KAC/D,cAAc,aAAa,SAAS,cAAc,aAAa,GAAG,KAAA;KAClE;KACA;KACA,MAAM;KACP;IACK;IACP;IACD;EAEF,MAAM,UAAU,iBAAiB,SAAS,EAAE,KAAK,UAAU;GACzD,MAAM,WAAW;IACf,GAAG,IAAI,WAAW,KAAK,MAAM,EAAE,WAAW;IAC1C,IAAI,IAAI,eAAe,EAAE,EAAE,KAAK,MAAM,EAAE,WAAW;IACnD,IAAI,IAAI,gBAAgB,EAAE,EAAE,KAAK,MAAM,EAAE,WAAW;IACpD,IAAI;IACJ,IAAI;IACL,CAAC,OAAO,QAAQ;GAEjB,MAAM,cAAc,CAAC,GAAG,IAAI,IAAI,SAAS,CAAC,CAAC,MAAM;AAEjD,UAAO,CACL,oBAAC,KAAK,QAAN;IAA4B,MAAM,CAAC,IAAI,KAAK;IAAE,MAAM,WAAW;IAAM,MAAM,IAAI,KAAK;IAAQ,EAA1E,IAAI,KAAsE,EAC5F,YAAY,SAAS,KAAK,oBAAC,KAAK,QAAN;IAAqC,MAAM;IAAa,MAAM,WAAW;IAAM,MAAM,IAAI,KAAK;IAAQ,EAApF,OAAO,IAAI,OAAyE,CACjI,CAAC,OAAO,QAAQ;IACjB;AAEF,SACE,qBAAA,UAAA,EAAA,UAAA,CACE,qBAAC,MAAD;GACE,UAAU,WAAW;GACrB,MAAM,WAAW;GACjB,MAAM,WAAW;GACjB,QAAQ,SAAS,cAAc,QAAQ,WAAW;IAAE;IAAQ;IAAQ,CAAC;GACrE,QAAQ,SAAS,cAAc,QAAQ,WAAW;IAAE;IAAQ;IAAQ,CAAC;aALvE;IAOE,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,YAAY;KAAE,MAAM;KAA0C,CAAA;IAClF,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,IAAI;KAAE,MAAM;KAAS,CAAA;IACzC,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,uBAAuB;KAAE,MAAM;KAA4C,CAAA;IAE9F;IACD,oBAAC,QAAD;KACQ;KACN,YAAY,QAAQ,WAAW,MAAM,SAAS;KAC9C,eAAe,QAAQ,WAAW,MAAM,WAAW;KACrC;KACd,YAAY;KACZ,CAAA;IACG;MAEP,oBAAC,MAAD;GAAM,UAAU,SAAS;GAAU,MAAM,SAAS;GAAM,MAAM,SAAS;aACrE,oBAAC,KAAK,QAAN;IAAmB;cAChB;;;iBAGI,QAAQ,WAAW,MAAM,SAAS,SAAS;;;mCAGzB,KAAK,SAAS,KAAK,QAAQ,SAAS,KAAK,EAAE,WAAW,KAAK,CAAC;;;;;IAKvE,CAAA;GACT,CAAA,CACN,EAAA,CAAA;;CAGR,CAAC;;;;;;;;;;ACnIF,MAAa,wBAAwB,gBAA2B;CAC9D,MAAM;CACN,WAAW,OAAO,SAAS;EACzB,MAAM,EAAE,SAAS,QAAQ,UAAU,QAAQ,QAAQ,SAAS;EAC5D,MAAM,EAAE,QAAQ,cAAc,UAAU;EAExC,MAAM,YAAY,OAAO,UAAU,cAAc;AAEjD,MAAI,CAAC,WAAW,SACd;EAGF,MAAM,OAAO;EAEb,MAAM,aAAa;GACjB,UAAU;GACV,MAHqB,KAAK,QAAQ,MAAM,OAAO,MAAM,YAAY;GAIjE,MAAM,EAAE,YAAY,OAAO,MAAM;GAClC;EAGD,MAAM,WAAW;GACf,UAAU;GACV,MAHmB,KAAK,QAAQ,MAAM,OAAO,MAAM,YAAY;GAI/D,MAAM,EAAE,YAAY,OAAO,MAAM;GAClC;EAED,MAAM,mBAAmB,MAAM,KAAK,SAAS;GAC3C,MAAM,cAAc,WAAW,KAAK,YAAY,aAAa;GAC7D,MAAM,cAAc,YAAY,QAAQ,MAAM,EAAE,OAAO,QAAQ;GAC/D,MAAM,eAAe,YAAY,QAAQ,MAAM,EAAE,OAAO,SAAS;GAEjE,MAAM,UAAU,SAAS,YAAY;IAAE,MAAM,KAAK;IAAa,SAAS;IAAO,KAAK,KAAK,KAAK,MAAM;IAAW,MAAM,KAAK;IAAM,EAAE;IAAE;IAAM;IAAQ;IAAO,CAAC;GAE1J,MAAM,UAAU,WAAW,SAAS,YAClC;IAAE,MAAM,KAAK;IAAa,SAAS;IAAO,KAAK,KAAK,KAAK,MAAM;IAAW,MAAM,KAAK;IAAM,EAC3F;IACE;IACA,QAAQ,WAAW,SAAS,UAAU;IACtC,OAAO,WAAW,SAAS;IAC5B,CACF;GAED,MAAM,cAAc,KAAK,aAAa,SAAS,WAAW,SAAS,gBAAgB,KAAK,GAAG,KAAA;GAC3F,MAAM,eAAe,WAAW,SAAS,oBAAoB,KAAK;GAElE,MAAM,iBAAiB,YAAY,SAAS,WAAW,SAAS,uBAAuB,MAAM,YAAY,GAAI,GAAG,KAAA;GAEhH,MAAM,kBAAkB,aAAa,SAAS,WAAW,SAAS,wBAAwB,MAAM,aAAa,GAAI,GAAG,KAAA;AAEpH,UAAO;IACL,MAAM;KACJ,MAAM,KAAK;KACX,OAAO,KAAK,WAAW,KAAA;KACvB,aAAa,KAAK,eAAe,UAAU,KAAK,OAAO,aAAa,CAAC,cAAc,KAAK;KACzF;IACD,KAAK;KACH,MAAM,SAAS,YAAY,KAAK,YAAY;KAC5C,MAAM;KACP;IACD,KAAK;KACH,YAAY,EAAE;KACd,aAAa;KACb,cAAc;KACd;KACA;KACA,MAAM;KACP;IACK;IACP;IACD;EAEF,MAAM,UAAU,iBAAiB,SAAS,EAAE,KAAK,UAAU;GACzD,MAAM,WAAW;IAAC,IAAI;IAAa,IAAI;IAAc,IAAI;IAAa,IAAI;IAAa,CAAC,OAAO,QAAQ;AAEvG,UAAO,CACL,oBAAC,KAAK,QAAN;IAA4B,MAAM,CAAC,IAAI,KAAK;IAAE,MAAM,WAAW;IAAM,MAAM,IAAI,KAAK;IAAQ,EAA1E,IAAI,KAAsE,EAC5F,IAAI,QAAQ,SAAS,SAAS,KAAK,oBAAC,KAAK,QAAN;IAAqC,MAAM,SAAS,MAAM;IAAE,MAAM,WAAW;IAAM,MAAM,IAAI,KAAK;IAAQ,EAAxF,OAAO,IAAI,OAA6E,CAC9I,CAAC,OAAO,QAAQ;IACjB;AAEF,SACE,qBAAA,UAAA,EAAA,UAAA,CACE,qBAAC,MAAD;GACE,UAAU,WAAW;GACrB,MAAM,WAAW;GACjB,MAAM,WAAW;GACjB,QAAQ,SAAS,cAAc,QAAQ,WAAW;IAAE;IAAQ;IAAQ,CAAC;GACrE,QAAQ,SAAS,cAAc,QAAQ,WAAW;IAAE;IAAQ;IAAQ,CAAC;aALvE;IAOE,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,YAAY;KAAE,MAAM;KAA0C,CAAA;IAClF,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,IAAI;KAAE,MAAM;KAAS,CAAA;IACzC,oBAAC,KAAK,QAAN;KAAa,MAAM,CAAC,uBAAuB;KAAE,MAAM;KAA4C,CAAA;IAE9F;IACD,oBAAC,QAAD;KACQ;KACN,YAAY,QAAQ,WAAW,MAAM,SAAS;KAC9C,eAAgB,QAAQ,UAAmC,WAAW,QAAQ,WAAW,MAAM,WAAW;KAC5F;KACd,YAAY;KACZ,CAAA;IACG;MAEP,oBAAC,MAAD;GAAM,UAAU,SAAS;GAAU,MAAM,SAAS;GAAM,MAAM,SAAS;aACrE,oBAAC,KAAK,QAAN;IAAmB;cAChB;;;iBAGI,QAAQ,WAAW,MAAM,SAAS,SAAS;;;mCAGzB,KAAK,SAAS,KAAK,QAAQ,SAAS,KAAK,EAAE,WAAW,KAAK,CAAC;;;;;IAKvE,CAAA;GACT,CAAA,CACN,EAAA,CAAA;;CAGR,CAAC;;;;;;;;;;;;;;;;;;AEzHF,MAAa,cAAc,sBAAiC;CAC1D,MAAM;CACN,YAAY;CACZ,QAAQ,MAAM,MAAM;AAClB,MAAI,SAAS,OACX,QAAO,UAAU,MAAM,EAAE,QAAQ,MAAM,CAAC;AAE1C,SAAO,UAAU,MAAM,EAAE,QAAQ,WAAW,CAAC;;CAE/C,YAAY,MAAM;AAChB,SAAO,KAAK,QAAQ,MAAM,WAAW;;CAExC,EAAE;;;;;;;;;ACfH,MAAa,UAAU,cAA2B;CAChD,SAAS;EACP,MAAM;EACN,UAAU;EACV,YAAY,CAAC,cAAc,gBAAgB;EAC5C;CACD,QAAQ;EACN,MAAM;EACN,UAAU;EACV,YAAY,CAAC,cAAc,sBAAsB;EAClD;CACF,CAAC;;;ACVF,MAAa,gBAAgB;AAE7B,MAAa,YAAY,cAAyB,YAAY;CAC5D,MAAM,EACJ,SAAS;EAAE,MAAM;EAAO,YAAY;EAAS,EAC7C,OACA,UAAU,EAAE,EACZ,SACA,WAAW,EAAE,EACb,cACA,QACA,sBAAsB,WACtB,UAAU,cACV,aAAa,iBACb,YAAY,iBAAiB,EAAE,KAC7B;CAEJ,MAAM,aAAa,QAAQ,UAAU;CACrC,MAAM,mBAAmB,QAAQ,eAAe,CAAC,QAAQ,SAAS,+BAA+B,eAAe,KAAA;CAEhH,MAAM,SAAS,UAAU;EACvB,QAAQ;EACR;EACA,UAAU;EACV,aAAa;EACb,YAAY;EACb,CAAC;CAGF,MAAM,kBAAkB,gBADL,OAAO,cAAc,EAAE,CACS;AAEnD,QAAO;EACL,MAAM;EACN;EACA,IAAI,WAAW;AACb,UAAO,OAAO;;EAEhB,IAAI,cAAc;AAChB,UAAO,OAAO;;EAEhB,IAAI,UAAU;AACZ,UAAO;IACL;IACA;IACA;IACA;IACA,OAAO,QACF;KACC,GAAG;KACH,MAAM,MAAM,OACR,MAAM,QACL,QAA2B;AAC1B,UAAI,MAAM,SAAS,OACjB,QAAO,GAAG,IAAI,MAAM,MAAM,IAAI,CAAC;AAEjC,aAAO,GAAG,UAAU,IAAI,MAAM,CAAC;;KAEtC,GACD,KAAA;IACJ;IACA,QAAQ;KACN,QAAQ;KACR,YAAY,QAAQ,cAAc;KAClC,YAAY;KACZ,gBAAgB,QAAQ,kBAAkB;KAC1C,QAAQ,QAAQ;KAChB,SAAS,QAAQ;KACjB,cAAc,QAAQ;KACvB;IACD,UAAU,OAAO;IAClB;;EAEH,KAAK,CAAC,cAAc,cAAc,CAAC,OAAO,QAAQ;EAClD,MAAM,OAAO,MAAM,SAAS;AAC1B,UAAO,gBAAgB,QAAQ,KAAK,MAAM,MAAM,QAAQ;;EAE1D,MAAM,UAAU,MAAM,SAAS;AAC7B,UAAO,gBAAgB,WAAW,KAAK,MAAM,MAAM,QAAQ;;EAE7D,MAAM,WAAW,OAAO,SAAS;AAC/B,UAAO,gBAAgB,YAAY,KAAK,MAAM,OAAO,QAAQ;;EAE/D,MAAM,aAAa;GACjB,MAAM,EAAE,SAAS,WAAW;GAC5B,MAAM,OAAO,KAAK;GAElB,MAAM,UAAU,SAAS,WAAW,MAAM;AAC1C,OAAI,QACF,MAAK,OAAO,QAAQ,OAAO,UAAU,KAAK,OAAO,QAAQ,OAAO,WAAW;GAG7E,MAAM,kBAAkB,CAAC,CAAC,OAAO,UAAU,iBAAiB;AAE5D,OAAI,KAAK,OAAO,QAAQ,OAAO,UAAU,CAAC,mBAAmB,CAAC,KAAK,OAAO,QAAQ,OAAO,WACvF,OAAM,KAAK,QACT,WAAW;IACT,UAAU;IACV,MAAM,KAAK,QAAQ,MAAM,iBAAiB;IAC1C,SAAS,CACP,aAAa;KACX,MAAM;KACN,OAAO,CAAC,WAAW,KAAK,OAAO,QAAQ,OAAO,WAAW,UAAUC,WAAoBC,OAAkB,CAAC;KAC1G,cAAc;KACd,aAAa;KACd,CAAC,CACH;IACD,SAAS,EAAE;IACX,SAAS,EAAE;IACZ,CAAC,CACH;AAGH,OAAI,CAAC,gBACH,OAAM,KAAK,QACT,WAAW;IACT,UAAU;IACV,MAAM,KAAK,QAAQ,MAAM,kBAAkB;IAC3C,SAAS,CACP,aAAa;KACX,MAAM;KACN,OAAO,CAAC,WAAWC,SAAa,CAAC;KACjC,cAAc;KACd,aAAa;KACd,CAAC,CACH;IACD,SAAS,EAAE;IACX,SAAS,EAAE;IACZ,CAAC,CACH;AAGH,SAAM,KAAK,aAAa,EAAE,KAAK,MAAM,CAAC;;EAEzC;EACD"}
|
package/package.json
CHANGED
|
@@ -1,6 +1,6 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "@kubb/plugin-mcp",
|
|
3
|
-
"version": "5.0.0-alpha.
|
|
3
|
+
"version": "5.0.0-alpha.33",
|
|
4
4
|
"description": "Model Context Protocol (MCP) plugin for Kubb, generating MCP-compatible tools and schemas from OpenAPI specifications for AI assistants.",
|
|
5
5
|
"keywords": [
|
|
6
6
|
"mcp",
|
|
@@ -49,12 +49,12 @@
|
|
|
49
49
|
}
|
|
50
50
|
],
|
|
51
51
|
"dependencies": {
|
|
52
|
-
"@kubb/
|
|
53
|
-
"@kubb/
|
|
54
|
-
"@kubb/
|
|
55
|
-
"@kubb/plugin-
|
|
56
|
-
"@kubb/plugin-
|
|
57
|
-
"@kubb/
|
|
52
|
+
"@kubb/ast": "5.0.0-alpha.33",
|
|
53
|
+
"@kubb/core": "5.0.0-alpha.33",
|
|
54
|
+
"@kubb/plugin-client": "5.0.0-alpha.33",
|
|
55
|
+
"@kubb/plugin-ts": "5.0.0-alpha.33",
|
|
56
|
+
"@kubb/plugin-zod": "5.0.0-alpha.33",
|
|
57
|
+
"@kubb/renderer-jsx": "5.0.0-alpha.33"
|
|
58
58
|
},
|
|
59
59
|
"devDependencies": {
|
|
60
60
|
"@internals/utils": "0.0.0"
|
|
@@ -68,6 +68,9 @@
|
|
|
68
68
|
},
|
|
69
69
|
"main": "./dist/index.cjs",
|
|
70
70
|
"module": "./dist/index.js",
|
|
71
|
+
"peerDependencies": {
|
|
72
|
+
"@kubb/renderer-jsx": "5.0.0-alpha.33"
|
|
73
|
+
},
|
|
71
74
|
"scripts": {
|
|
72
75
|
"build": "tsdown && size-limit",
|
|
73
76
|
"clean": "npx rimraf ./dist",
|
|
@@ -3,8 +3,8 @@ import { caseParams, createOperationParams } from '@kubb/ast'
|
|
|
3
3
|
import type { OperationNode } from '@kubb/ast/types'
|
|
4
4
|
import type { ResolverTs } from '@kubb/plugin-ts'
|
|
5
5
|
import { functionPrinter } from '@kubb/plugin-ts'
|
|
6
|
-
import { File, Function } from '@kubb/
|
|
7
|
-
import type {
|
|
6
|
+
import { File, Function } from '@kubb/renderer-jsx'
|
|
7
|
+
import type { KubbReactNode } from '@kubb/renderer-jsx/types'
|
|
8
8
|
import type { PluginMcp } from '../types.ts'
|
|
9
9
|
import { getComments, getParamsMapping } from '../utils.ts'
|
|
10
10
|
|
|
@@ -50,7 +50,7 @@ function buildRemappingCode(mapping: Record<string, string>, varName: string, so
|
|
|
50
50
|
|
|
51
51
|
const declarationPrinter = functionPrinter({ mode: 'declaration' })
|
|
52
52
|
|
|
53
|
-
export function McpHandler({ name, node, resolver, baseURL, dataReturnType, paramsCasing }: Props):
|
|
53
|
+
export function McpHandler({ name, node, resolver, baseURL, dataReturnType, paramsCasing }: Props): KubbReactNode {
|
|
54
54
|
const urlPath = new URLPath(node.path)
|
|
55
55
|
const contentType = node.requestBody?.contentType
|
|
56
56
|
const isFormData = contentType === 'multipart/form-data'
|
|
@@ -1,9 +1,8 @@
|
|
|
1
1
|
import { caseParams, createFunctionParameter, createFunctionParameters, createParameterGroup } from '@kubb/ast'
|
|
2
|
-
import type { OperationNode } from '@kubb/ast/types'
|
|
3
|
-
import type { KubbFile } from '@kubb/core'
|
|
2
|
+
import type { FileNode, OperationNode } from '@kubb/ast/types'
|
|
4
3
|
import { functionPrinter } from '@kubb/plugin-ts'
|
|
5
|
-
import { Const, File, Function } from '@kubb/
|
|
6
|
-
import type {
|
|
4
|
+
import { Const, File, Function } from '@kubb/renderer-jsx'
|
|
5
|
+
import type { KubbReactNode } from '@kubb/renderer-jsx/types'
|
|
7
6
|
import type { PluginMcp } from '../types.ts'
|
|
8
7
|
import type { ZodParam } from '../utils.ts'
|
|
9
8
|
import { zodExprFromSchemaNode, zodGroupExpr } from '../utils.ts'
|
|
@@ -37,7 +36,7 @@ type Props = {
|
|
|
37
36
|
}
|
|
38
37
|
mcp: {
|
|
39
38
|
name: string
|
|
40
|
-
file:
|
|
39
|
+
file: FileNode
|
|
41
40
|
}
|
|
42
41
|
zod: {
|
|
43
42
|
pathParams: Array<ZodParam>
|
|
@@ -58,7 +57,7 @@ type Props = {
|
|
|
58
57
|
|
|
59
58
|
const keysPrinter = functionPrinter({ mode: 'keys' })
|
|
60
59
|
|
|
61
|
-
export function Server({ name, serverName, serverVersion, paramsCasing, operations }: Props):
|
|
60
|
+
export function Server({ name, serverName, serverVersion, paramsCasing, operations }: Props): KubbReactNode {
|
|
62
61
|
return (
|
|
63
62
|
<File.Source name={name} isExportable isIndexable>
|
|
64
63
|
<Const name={'server'} export>
|
|
@@ -2,7 +2,7 @@ import path from 'node:path'
|
|
|
2
2
|
import { caseParams } from '@kubb/ast'
|
|
3
3
|
import { defineGenerator } from '@kubb/core'
|
|
4
4
|
import { pluginTsName } from '@kubb/plugin-ts'
|
|
5
|
-
import { File } from '@kubb/
|
|
5
|
+
import { File } from '@kubb/renderer-jsx'
|
|
6
6
|
import { McpHandler } from '../components/McpHandler.tsx'
|
|
7
7
|
import type { PluginMcp } from '../types.ts'
|
|
8
8
|
|
|
@@ -2,7 +2,7 @@ import path from 'node:path'
|
|
|
2
2
|
import { caseParams } from '@kubb/ast'
|
|
3
3
|
import { defineGenerator } from '@kubb/core'
|
|
4
4
|
import { pluginZodName } from '@kubb/plugin-zod'
|
|
5
|
-
import { File } from '@kubb/
|
|
5
|
+
import { File } from '@kubb/renderer-jsx'
|
|
6
6
|
import { Server } from '../components/Server.tsx'
|
|
7
7
|
import type { PluginMcp } from '../types.ts'
|
|
8
8
|
import { findSuccessStatusCode } from '../utils.ts'
|
|
@@ -109,8 +109,8 @@ export const serverGenerator = defineGenerator<PluginMcp>({
|
|
|
109
109
|
baseName={serverFile.baseName}
|
|
110
110
|
path={serverFile.path}
|
|
111
111
|
meta={serverFile.meta}
|
|
112
|
-
banner={resolver.resolveBanner(adapter.
|
|
113
|
-
footer={resolver.resolveFooter(adapter.
|
|
112
|
+
banner={resolver.resolveBanner(adapter.inputNode, { output, config })}
|
|
113
|
+
footer={resolver.resolveFooter(adapter.inputNode, { output, config })}
|
|
114
114
|
>
|
|
115
115
|
<File.Import name={['McpServer']} path={'@modelcontextprotocol/sdk/server/mcp'} />
|
|
116
116
|
<File.Import name={['z']} path={'zod'} />
|
|
@@ -119,8 +119,8 @@ export const serverGenerator = defineGenerator<PluginMcp>({
|
|
|
119
119
|
{imports}
|
|
120
120
|
<Server
|
|
121
121
|
name={name}
|
|
122
|
-
serverName={adapter.
|
|
123
|
-
serverVersion={adapter.
|
|
122
|
+
serverName={adapter.inputNode?.meta?.title ?? 'server'}
|
|
123
|
+
serverVersion={adapter.inputNode?.meta?.version ?? '0.0.0'}
|
|
124
124
|
paramsCasing={paramsCasing}
|
|
125
125
|
operations={operationsMapped}
|
|
126
126
|
/>
|
|
@@ -131,7 +131,7 @@ export const serverGenerator = defineGenerator<PluginMcp>({
|
|
|
131
131
|
{`
|
|
132
132
|
{
|
|
133
133
|
"mcpServers": {
|
|
134
|
-
"${adapter.
|
|
134
|
+
"${adapter.inputNode?.meta?.title || 'server'}": {
|
|
135
135
|
"type": "stdio",
|
|
136
136
|
"command": "npx",
|
|
137
137
|
"args": ["tsx", "${path.relative(path.dirname(jsonFile.path), serverFile.path)}"]
|
|
@@ -2,7 +2,7 @@ import path from 'node:path'
|
|
|
2
2
|
import { caseParams } from '@kubb/ast'
|
|
3
3
|
import { defineGenerator } from '@kubb/core'
|
|
4
4
|
import { pluginZodName } from '@kubb/plugin-zod'
|
|
5
|
-
import { File } from '@kubb/
|
|
5
|
+
import { File } from '@kubb/renderer-jsx'
|
|
6
6
|
import { Server } from '../components/Server.tsx'
|
|
7
7
|
import type { PluginMcp } from '../types.ts'
|
|
8
8
|
|
|
@@ -100,8 +100,8 @@ export const serverGeneratorLegacy = defineGenerator<PluginMcp>({
|
|
|
100
100
|
baseName={serverFile.baseName}
|
|
101
101
|
path={serverFile.path}
|
|
102
102
|
meta={serverFile.meta}
|
|
103
|
-
banner={resolver.resolveBanner(adapter.
|
|
104
|
-
footer={resolver.resolveFooter(adapter.
|
|
103
|
+
banner={resolver.resolveBanner(adapter.inputNode, { output, config })}
|
|
104
|
+
footer={resolver.resolveFooter(adapter.inputNode, { output, config })}
|
|
105
105
|
>
|
|
106
106
|
<File.Import name={['McpServer']} path={'@modelcontextprotocol/sdk/server/mcp'} />
|
|
107
107
|
<File.Import name={['z']} path={'zod'} />
|
|
@@ -110,8 +110,8 @@ export const serverGeneratorLegacy = defineGenerator<PluginMcp>({
|
|
|
110
110
|
{imports}
|
|
111
111
|
<Server
|
|
112
112
|
name={name}
|
|
113
|
-
serverName={adapter.
|
|
114
|
-
serverVersion={(adapter.document as { openapi?: string })?.openapi ?? adapter.
|
|
113
|
+
serverName={adapter.inputNode?.meta?.title ?? 'server'}
|
|
114
|
+
serverVersion={(adapter.document as { openapi?: string })?.openapi ?? adapter.inputNode?.meta?.version ?? '0.0.0'}
|
|
115
115
|
paramsCasing={paramsCasing}
|
|
116
116
|
operations={operationsMapped}
|
|
117
117
|
/>
|
|
@@ -122,7 +122,7 @@ export const serverGeneratorLegacy = defineGenerator<PluginMcp>({
|
|
|
122
122
|
{`
|
|
123
123
|
{
|
|
124
124
|
"mcpServers": {
|
|
125
|
-
"${adapter.
|
|
125
|
+
"${adapter.inputNode?.meta?.title || 'server'}": {
|
|
126
126
|
"type": "stdio",
|
|
127
127
|
"command": "npx",
|
|
128
128
|
"args": ["tsx", "${path.relative(path.dirname(jsonFile.path), serverFile.path)}"]
|
package/src/plugin.ts
CHANGED
|
@@ -1,5 +1,6 @@
|
|
|
1
1
|
import path from 'node:path'
|
|
2
2
|
import { camelCase } from '@internals/utils'
|
|
3
|
+
import { createFile, createSource, createText } from '@kubb/ast'
|
|
3
4
|
import { createPlugin, type Group, getPreset, mergeGenerators } from '@kubb/core'
|
|
4
5
|
import { pluginClientName } from '@kubb/plugin-client'
|
|
5
6
|
import { source as axiosClientSource } from '@kubb/plugin-client/templates/clients/axios.source'
|
|
@@ -97,7 +98,7 @@ export const pluginMcp = createPlugin<PluginMcp>((options) => {
|
|
|
97
98
|
const { adapter, driver } = this
|
|
98
99
|
const root = this.root
|
|
99
100
|
|
|
100
|
-
const baseURL = adapter?.
|
|
101
|
+
const baseURL = adapter?.inputNode?.meta?.baseURL
|
|
101
102
|
if (baseURL) {
|
|
102
103
|
this.plugin.options.client.baseURL = this.plugin.options.client.baseURL || baseURL
|
|
103
104
|
}
|
|
@@ -105,37 +106,41 @@ export const pluginMcp = createPlugin<PluginMcp>((options) => {
|
|
|
105
106
|
const hasClientPlugin = !!driver.getPlugin(pluginClientName)
|
|
106
107
|
|
|
107
108
|
if (this.plugin.options.client.bundle && !hasClientPlugin && !this.plugin.options.client.importPath) {
|
|
108
|
-
await this.addFile(
|
|
109
|
-
|
|
110
|
-
|
|
111
|
-
|
|
112
|
-
|
|
113
|
-
|
|
114
|
-
|
|
115
|
-
|
|
116
|
-
|
|
117
|
-
|
|
118
|
-
|
|
119
|
-
|
|
120
|
-
|
|
121
|
-
|
|
109
|
+
await this.addFile(
|
|
110
|
+
createFile({
|
|
111
|
+
baseName: 'fetch.ts',
|
|
112
|
+
path: path.resolve(root, '.kubb/fetch.ts'),
|
|
113
|
+
sources: [
|
|
114
|
+
createSource({
|
|
115
|
+
name: 'fetch',
|
|
116
|
+
nodes: [createText(this.plugin.options.client.client === 'fetch' ? fetchClientSource : axiosClientSource)],
|
|
117
|
+
isExportable: true,
|
|
118
|
+
isIndexable: true,
|
|
119
|
+
}),
|
|
120
|
+
],
|
|
121
|
+
imports: [],
|
|
122
|
+
exports: [],
|
|
123
|
+
}),
|
|
124
|
+
)
|
|
122
125
|
}
|
|
123
126
|
|
|
124
127
|
if (!hasClientPlugin) {
|
|
125
|
-
await this.addFile(
|
|
126
|
-
|
|
127
|
-
|
|
128
|
-
|
|
129
|
-
|
|
130
|
-
|
|
131
|
-
|
|
132
|
-
|
|
133
|
-
|
|
134
|
-
|
|
135
|
-
|
|
136
|
-
|
|
137
|
-
|
|
138
|
-
|
|
128
|
+
await this.addFile(
|
|
129
|
+
createFile({
|
|
130
|
+
baseName: 'config.ts',
|
|
131
|
+
path: path.resolve(root, '.kubb/config.ts'),
|
|
132
|
+
sources: [
|
|
133
|
+
createSource({
|
|
134
|
+
name: 'config',
|
|
135
|
+
nodes: [createText(configSource)],
|
|
136
|
+
isExportable: false,
|
|
137
|
+
isIndexable: false,
|
|
138
|
+
}),
|
|
139
|
+
],
|
|
140
|
+
imports: [],
|
|
141
|
+
exports: [],
|
|
142
|
+
}),
|
|
143
|
+
)
|
|
139
144
|
}
|
|
140
145
|
|
|
141
146
|
await this.openInStudio({ ast: true })
|