@orpc/openapi 0.0.0-next.ef3ba82 → 0.0.0-next.fd1db03

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.
Files changed (33) hide show
  1. package/dist/chunk-KNYXLM77.js +107 -0
  2. package/dist/fetch.js +590 -597
  3. package/dist/index.js +389 -4329
  4. package/dist/src/fetch/bracket-notation.d.ts +84 -0
  5. package/dist/src/fetch/index.d.ts +10 -3
  6. package/dist/src/fetch/input-structure-compact.d.ts +6 -0
  7. package/dist/src/fetch/input-structure-detailed.d.ts +11 -0
  8. package/dist/src/fetch/openapi-handler-server.d.ts +7 -0
  9. package/dist/src/fetch/openapi-handler-serverless.d.ts +7 -0
  10. package/dist/src/fetch/openapi-handler.d.ts +33 -0
  11. package/dist/src/fetch/openapi-payload-codec.d.ts +15 -0
  12. package/dist/src/fetch/openapi-procedure-matcher.d.ts +19 -0
  13. package/dist/src/fetch/schema-coercer.d.ts +10 -0
  14. package/dist/src/index.d.ts +11 -1
  15. package/dist/src/json-serializer.d.ts +5 -0
  16. package/dist/src/openapi-content-builder.d.ts +10 -0
  17. package/dist/src/openapi-error.d.ts +3 -0
  18. package/dist/src/openapi-generator.d.ts +56 -0
  19. package/dist/src/openapi-input-structure-parser.d.ts +22 -0
  20. package/dist/src/openapi-output-structure-parser.d.ts +18 -0
  21. package/dist/src/openapi-parameters-builder.d.ts +12 -0
  22. package/dist/src/openapi-path-parser.d.ts +8 -0
  23. package/dist/src/openapi.d.ts +3 -0
  24. package/dist/src/schema-converter.d.ts +16 -0
  25. package/dist/src/schema-utils.d.ts +11 -0
  26. package/dist/src/schema.d.ts +12 -0
  27. package/dist/src/utils.d.ts +18 -0
  28. package/package.json +14 -10
  29. package/dist/src/fetch/base-handler.d.ts +0 -14
  30. package/dist/src/fetch/server-handler.d.ts +0 -2
  31. package/dist/src/fetch/serverless-handler.d.ts +0 -2
  32. package/dist/src/generator.d.ts +0 -23
  33. package/dist/src/zod-to-json-schema.d.ts +0 -42
package/dist/fetch.js CHANGED
@@ -1,668 +1,661 @@
1
- // src/fetch/base-handler.ts
2
- import { ORPC_HEADER, standardizeHTTPPath } from "@orpc/contract";
3
- import { createProcedureCaller, isProcedure, ORPCError } from "@orpc/server";
4
- import { isPlainObject, mapValues, trim, value } from "@orpc/shared";
5
- import { OpenAPIDeserializer, OpenAPISerializer, zodCoerce } from "@orpc/transformer";
6
- function createOpenAPIHandler(createHonoRouter) {
7
- const resolveRouter = createResolveRouter(createHonoRouter);
8
- return async (options) => {
9
- if (options.request.headers.get(ORPC_HEADER) !== null) {
10
- return void 0;
11
- }
12
- const context = await value(options.context);
13
- const accept = options.request.headers.get("Accept") || void 0;
14
- const serializer = new OpenAPISerializer({ accept });
15
- const handler = async () => {
16
- const url = new URL(options.request.url);
17
- const pathname = `/${trim(url.pathname.replace(options.prefix ?? "", ""), "/")}`;
18
- const customMethod = options.request.method === "POST" ? url.searchParams.get("method")?.toUpperCase() : void 0;
19
- const method = customMethod || options.request.method;
20
- const match = resolveRouter(options.router, method, pathname);
21
- if (!match) {
22
- throw new ORPCError({ code: "NOT_FOUND", message: "Not found" });
23
- }
24
- const procedure = match.procedure;
25
- const path = match.path;
26
- const params = procedure.zz$p.contract.zz$cp.InputSchema ? zodCoerce(
27
- procedure.zz$p.contract.zz$cp.InputSchema,
28
- match.params,
29
- { bracketNotation: true }
30
- ) : match.params;
31
- const input = await deserializeInput(options.request, procedure);
32
- const mergedInput = mergeParamsAndInput(params, input);
33
- const caller = createProcedureCaller({
34
- context,
35
- procedure,
36
- path
37
- });
38
- const output = await caller(mergedInput);
39
- const { body, headers } = serializer.serialize(output);
40
- return new Response(body, {
41
- status: 200,
42
- headers
1
+ import {
2
+ JSONSerializer,
3
+ forEachContractProcedure,
4
+ standardizeHTTPPath
5
+ } from "./chunk-KNYXLM77.js";
6
+
7
+ // src/fetch/bracket-notation.ts
8
+ import { isPlainObject } from "@orpc/shared";
9
+ function serialize(payload, parentKey = "") {
10
+ if (!Array.isArray(payload) && !isPlainObject(payload))
11
+ return [["", payload]];
12
+ const result = [];
13
+ function helper(value, path) {
14
+ if (Array.isArray(value)) {
15
+ value.forEach((item, index) => {
16
+ helper(item, [...path, String(index)]);
43
17
  });
44
- };
45
- try {
46
- return await options.hooks?.(context, {
47
- next: handler,
48
- response: (response) => response
49
- }) ?? await handler();
50
- } catch (e) {
51
- const error = toORPCError(e);
52
- try {
53
- const { body, headers } = serializer.serialize(error.toJSON());
54
- return new Response(body, {
55
- status: error.status,
56
- headers
57
- });
58
- } catch (e2) {
59
- const error2 = toORPCError(e2);
60
- const { body, headers } = new OpenAPISerializer().serialize(
61
- error2.toJSON()
62
- );
63
- return new Response(body, {
64
- status: error2.status,
65
- headers
66
- });
18
+ } else if (isPlainObject(value)) {
19
+ for (const [key, val] of Object.entries(value)) {
20
+ helper(val, [...path, key]);
67
21
  }
22
+ } else {
23
+ result.push([stringifyPath(path), value]);
68
24
  }
69
- };
25
+ }
26
+ helper(payload, parentKey ? [parentKey] : []);
27
+ return result;
70
28
  }
71
- var routingCache = /* @__PURE__ */ new Map();
72
- function createResolveRouter(createHonoRouter) {
73
- return (router, method, pathname) => {
74
- let routing = routingCache.get(router);
75
- if (!routing) {
76
- routing = createHonoRouter();
77
- const addRouteRecursively = (routing2, router2, basePath) => {
78
- for (const key in router2) {
79
- const currentPath = [...basePath, key];
80
- const item = router2[key];
81
- if (isProcedure(item)) {
82
- const method2 = item.zz$p.contract.zz$cp.method ?? "POST";
83
- const path2 = item.zz$p.contract.zz$cp.path ? openAPIPathToRouterPath(item.zz$p.contract.zz$cp.path) : `/${currentPath.map(encodeURIComponent).join("/")}`;
84
- routing2.add(method2, path2, [currentPath, item]);
85
- } else {
86
- addRouteRecursively(routing2, item, currentPath);
87
- }
29
+ function deserialize(entities) {
30
+ if (entities.length === 0) {
31
+ return void 0;
32
+ }
33
+ const isRootArray = entities.every(([path]) => path === "");
34
+ const result = isRootArray ? [] : {};
35
+ const arrayPushPaths = /* @__PURE__ */ new Set();
36
+ for (const [path, _] of entities) {
37
+ const segments = parsePath(path);
38
+ const base = segments.slice(0, -1).join(".");
39
+ const last = segments[segments.length - 1];
40
+ if (last === "") {
41
+ arrayPushPaths.add(base);
42
+ } else {
43
+ arrayPushPaths.delete(base);
44
+ }
45
+ }
46
+ function setValue(obj, segments, value, fullPath) {
47
+ const [first, ...rest_] = segments;
48
+ if (Array.isArray(obj) && first === "") {
49
+ ;
50
+ obj.push(value);
51
+ return;
52
+ }
53
+ const objAsRecord = obj;
54
+ if (rest_.length === 0) {
55
+ objAsRecord[first] = value;
56
+ return;
57
+ }
58
+ const rest = rest_;
59
+ if (rest[0] === "") {
60
+ const pathToCheck = segments.slice(0, -1).join(".");
61
+ if (rest.length === 1 && arrayPushPaths.has(pathToCheck)) {
62
+ if (!(first in objAsRecord)) {
63
+ objAsRecord[first] = [];
88
64
  }
89
- };
90
- addRouteRecursively(routing, router, []);
91
- routingCache.set(router, routing);
65
+ if (Array.isArray(objAsRecord[first])) {
66
+ ;
67
+ objAsRecord[first].push(value);
68
+ return;
69
+ }
70
+ }
71
+ if (!(first in objAsRecord)) {
72
+ objAsRecord[first] = {};
73
+ }
74
+ const target = objAsRecord[first];
75
+ target[""] = value;
76
+ return;
92
77
  }
93
- const [matches, params_] = routing.match(method, pathname);
94
- const [match] = matches.sort((a, b) => {
95
- return Object.keys(a[1]).length - Object.keys(b[1]).length;
96
- });
97
- if (!match) {
98
- return void 0;
78
+ if (!(first in objAsRecord)) {
79
+ objAsRecord[first] = {};
99
80
  }
100
- const path = match[0][0];
101
- const procedure = match[0][1];
102
- const params = params_ ? mapValues(
103
- match[1],
104
- (v) => params_[v]
105
- ) : match[1];
106
- return {
107
- path,
108
- procedure,
109
- params: { ...params }
110
- // params from hono not a normal object, so we need spread here
111
- };
112
- };
113
- }
114
- function mergeParamsAndInput(coercedParams, input) {
115
- if (Object.keys(coercedParams).length === 0) {
116
- return input;
81
+ setValue(
82
+ objAsRecord[first],
83
+ rest,
84
+ value,
85
+ fullPath
86
+ );
117
87
  }
118
- if (!isPlainObject(input)) {
119
- return coercedParams;
88
+ for (const [path, value] of entities) {
89
+ const segments = parsePath(path);
90
+ setValue(result, segments, value, path);
120
91
  }
121
- return {
122
- ...coercedParams,
123
- ...input
124
- };
92
+ return result;
125
93
  }
126
- async function deserializeInput(request, procedure) {
127
- const deserializer = new OpenAPIDeserializer({
128
- schema: procedure.zz$p.contract.zz$cp.InputSchema
129
- });
130
- try {
131
- return await deserializer.deserialize(request);
132
- } catch (e) {
133
- throw new ORPCError({
134
- code: "BAD_REQUEST",
135
- message: "Cannot parse request. Please check the request body and Content-Type header.",
136
- cause: e
137
- });
138
- }
139
- }
140
- function toORPCError(e) {
141
- return e instanceof ORPCError ? e : new ORPCError({
142
- code: "INTERNAL_SERVER_ERROR",
143
- message: "Internal server error",
144
- cause: e
94
+ function escapeSegment(segment) {
95
+ return segment.replace(/[\\[\]]/g, (match) => {
96
+ switch (match) {
97
+ case "\\":
98
+ return "\\\\";
99
+ case "[":
100
+ return "\\[";
101
+ case "]":
102
+ return "\\]";
103
+ default:
104
+ return match;
105
+ }
145
106
  });
146
107
  }
147
- function openAPIPathToRouterPath(path) {
148
- return standardizeHTTPPath(path).replace(/\{([^}]+)\}/g, ":$1");
108
+ function stringifyPath(path) {
109
+ const [first, ...rest] = path;
110
+ const firstSegment = escapeSegment(first);
111
+ const base = first === "" ? "" : firstSegment;
112
+ return rest.reduce(
113
+ (result, segment) => `${result}[${escapeSegment(segment)}]`,
114
+ base
115
+ );
149
116
  }
150
-
151
- // ../../node_modules/.pnpm/hono@4.6.12/node_modules/hono/dist/router.js
152
- var METHOD_NAME_ALL = "ALL";
153
- var MESSAGE_MATCHER_IS_ALREADY_BUILT = "Can not add a route since the matcher is already built.";
154
- var UnsupportedPathError = class extends Error {
155
- };
156
-
157
- // ../../node_modules/.pnpm/hono@4.6.12/node_modules/hono/dist/utils/url.js
158
- var checkOptionalParameter = (path) => {
159
- if (!path.match(/\:.+\?$/)) {
160
- return null;
161
- }
162
- const segments = path.split("/");
163
- const results = [];
164
- let basePath = "";
165
- segments.forEach((segment) => {
166
- if (segment !== "" && !/\:/.test(segment)) {
167
- basePath += "/" + segment;
168
- } else if (/\:/.test(segment)) {
169
- if (/\?/.test(segment)) {
170
- if (results.length === 0 && basePath === "") {
171
- results.push("/");
117
+ function parsePath(path) {
118
+ if (path === "")
119
+ return [""];
120
+ const result = [];
121
+ let currentSegment = "";
122
+ let inBracket = false;
123
+ let bracketContent = "";
124
+ let backslashCount = 0;
125
+ for (let i = 0; i < path.length; i++) {
126
+ const char = path[i];
127
+ if (char === "\\") {
128
+ backslashCount++;
129
+ continue;
130
+ }
131
+ if (backslashCount > 0) {
132
+ const literalBackslashes = "\\".repeat(Math.floor(backslashCount / 2));
133
+ if (char === "[" || char === "]") {
134
+ if (backslashCount % 2 === 1) {
135
+ if (inBracket) {
136
+ bracketContent += literalBackslashes + char;
137
+ } else {
138
+ currentSegment += literalBackslashes + char;
139
+ }
172
140
  } else {
173
- results.push(basePath);
141
+ if (inBracket) {
142
+ bracketContent += literalBackslashes;
143
+ } else {
144
+ currentSegment += literalBackslashes;
145
+ }
146
+ if (char === "[" && !inBracket) {
147
+ if (currentSegment !== "" || result.length === 0) {
148
+ result.push(currentSegment);
149
+ }
150
+ inBracket = true;
151
+ bracketContent = "";
152
+ currentSegment = "";
153
+ } else if (char === "]" && inBracket) {
154
+ result.push(bracketContent);
155
+ inBracket = false;
156
+ bracketContent = "";
157
+ } else {
158
+ if (inBracket) {
159
+ bracketContent += char;
160
+ } else {
161
+ currentSegment += char;
162
+ }
163
+ }
174
164
  }
175
- const optionalSegment = segment.replace("?", "");
176
- basePath += "/" + optionalSegment;
177
- results.push(basePath);
178
165
  } else {
179
- basePath += "/" + segment;
166
+ const allBackslashes = "\\".repeat(backslashCount);
167
+ if (inBracket) {
168
+ bracketContent += allBackslashes + char;
169
+ } else {
170
+ currentSegment += allBackslashes + char;
171
+ }
180
172
  }
173
+ backslashCount = 0;
174
+ continue;
181
175
  }
182
- });
183
- return results.filter((v, i, a) => a.indexOf(v) === i);
184
- };
185
-
186
- // ../../node_modules/.pnpm/hono@4.6.12/node_modules/hono/dist/router/reg-exp-router/node.js
187
- var LABEL_REG_EXP_STR = "[^/]+";
188
- var ONLY_WILDCARD_REG_EXP_STR = ".*";
189
- var TAIL_WILDCARD_REG_EXP_STR = "(?:|/.*)";
190
- var PATH_ERROR = Symbol();
191
- var regExpMetaChars = new Set(".\\+*[^]$()");
192
- function compareKey(a, b) {
193
- if (a.length === 1) {
194
- return b.length === 1 ? a < b ? -1 : 1 : -1;
195
- }
196
- if (b.length === 1) {
197
- return 1;
198
- }
199
- if (a === ONLY_WILDCARD_REG_EXP_STR || a === TAIL_WILDCARD_REG_EXP_STR) {
200
- return 1;
201
- } else if (b === ONLY_WILDCARD_REG_EXP_STR || b === TAIL_WILDCARD_REG_EXP_STR) {
202
- return -1;
203
- }
204
- if (a === LABEL_REG_EXP_STR) {
205
- return 1;
206
- } else if (b === LABEL_REG_EXP_STR) {
207
- return -1;
208
- }
209
- return a.length === b.length ? a < b ? -1 : 1 : b.length - a.length;
210
- }
211
- var Node = class {
212
- #index;
213
- #varIndex;
214
- #children = /* @__PURE__ */ Object.create(null);
215
- insert(tokens, index, paramMap, context, pathErrorCheckOnly) {
216
- if (tokens.length === 0) {
217
- if (this.#index !== void 0) {
218
- throw PATH_ERROR;
176
+ if (char === "[" && !inBracket) {
177
+ if (currentSegment !== "" || result.length === 0) {
178
+ result.push(currentSegment);
219
179
  }
220
- if (pathErrorCheckOnly) {
221
- return;
222
- }
223
- this.#index = index;
224
- return;
180
+ inBracket = true;
181
+ bracketContent = "";
182
+ currentSegment = "";
183
+ continue;
225
184
  }
226
- const [token, ...restTokens] = tokens;
227
- const pattern = token === "*" ? restTokens.length === 0 ? ["", "", ONLY_WILDCARD_REG_EXP_STR] : ["", "", LABEL_REG_EXP_STR] : token === "/*" ? ["", "", TAIL_WILDCARD_REG_EXP_STR] : token.match(/^\:([^\{\}]+)(?:\{(.+)\})?$/);
228
- let node;
229
- if (pattern) {
230
- const name = pattern[1];
231
- let regexpStr = pattern[2] || LABEL_REG_EXP_STR;
232
- if (name && pattern[2]) {
233
- regexpStr = regexpStr.replace(/^\((?!\?:)(?=[^)]+\)$)/, "(?:");
234
- if (/\((?!\?:)/.test(regexpStr)) {
235
- throw PATH_ERROR;
236
- }
237
- }
238
- node = this.#children[regexpStr];
239
- if (!node) {
240
- if (Object.keys(this.#children).some(
241
- (k) => k !== ONLY_WILDCARD_REG_EXP_STR && k !== TAIL_WILDCARD_REG_EXP_STR
242
- )) {
243
- throw PATH_ERROR;
244
- }
245
- if (pathErrorCheckOnly) {
246
- return;
247
- }
248
- node = this.#children[regexpStr] = new Node();
249
- if (name !== "") {
250
- node.#varIndex = context.varIndex++;
251
- }
252
- }
253
- if (!pathErrorCheckOnly && name !== "") {
254
- paramMap.push([name, node.#varIndex]);
255
- }
185
+ if (char === "]" && inBracket) {
186
+ result.push(bracketContent);
187
+ inBracket = false;
188
+ bracketContent = "";
189
+ continue;
190
+ }
191
+ if (inBracket) {
192
+ bracketContent += char;
256
193
  } else {
257
- node = this.#children[token];
258
- if (!node) {
259
- if (Object.keys(this.#children).some(
260
- (k) => k.length > 1 && k !== ONLY_WILDCARD_REG_EXP_STR && k !== TAIL_WILDCARD_REG_EXP_STR
261
- )) {
262
- throw PATH_ERROR;
263
- }
264
- if (pathErrorCheckOnly) {
265
- return;
266
- }
267
- node = this.#children[token] = new Node();
268
- }
194
+ currentSegment += char;
269
195
  }
270
- node.insert(restTokens, index, paramMap, context, pathErrorCheckOnly);
271
196
  }
272
- buildRegExpStr() {
273
- const childKeys = Object.keys(this.#children).sort(compareKey);
274
- const strList = childKeys.map((k) => {
275
- const c = this.#children[k];
276
- return (typeof c.#varIndex === "number" ? `(${k})@${c.#varIndex}` : regExpMetaChars.has(k) ? `\\${k}` : k) + c.buildRegExpStr();
277
- });
278
- if (typeof this.#index === "number") {
279
- strList.unshift(`#${this.#index}`);
197
+ if (backslashCount > 0) {
198
+ const remainingBackslashes = "\\".repeat(backslashCount);
199
+ if (inBracket) {
200
+ bracketContent += remainingBackslashes;
201
+ } else {
202
+ currentSegment += remainingBackslashes;
203
+ }
204
+ }
205
+ if (inBracket) {
206
+ if (currentSegment !== "" || result.length === 0) {
207
+ result.push(currentSegment);
280
208
  }
281
- if (strList.length === 0) {
282
- return "";
209
+ result.push(`[${bracketContent}`);
210
+ } else if (currentSegment !== "" || result.length === 0) {
211
+ result.push(currentSegment);
212
+ }
213
+ return result;
214
+ }
215
+
216
+ // src/fetch/input-structure-compact.ts
217
+ import { isPlainObject as isPlainObject2 } from "@orpc/shared";
218
+ var InputStructureCompact = class {
219
+ build(params, payload) {
220
+ if (Object.keys(params).length === 0) {
221
+ return payload;
283
222
  }
284
- if (strList.length === 1) {
285
- return strList[0];
223
+ if (!isPlainObject2(payload)) {
224
+ return params;
286
225
  }
287
- return "(?:" + strList.join("|") + ")";
226
+ return {
227
+ ...params,
228
+ ...payload
229
+ };
288
230
  }
289
231
  };
290
232
 
291
- // ../../node_modules/.pnpm/hono@4.6.12/node_modules/hono/dist/router/reg-exp-router/trie.js
292
- var Trie = class {
293
- #context = { varIndex: 0 };
294
- #root = new Node();
295
- insert(path, index, pathErrorCheckOnly) {
296
- const paramAssoc = [];
297
- const groups = [];
298
- for (let i = 0; ; ) {
299
- let replaced = false;
300
- path = path.replace(/\{[^}]+\}/g, (m) => {
301
- const mark = `@\\${i}`;
302
- groups[i] = [mark, m];
303
- i++;
304
- replaced = true;
305
- return mark;
306
- });
307
- if (!replaced) {
308
- break;
233
+ // src/fetch/input-structure-detailed.ts
234
+ var InputStructureDetailed = class {
235
+ build(params, query, headers, body) {
236
+ return {
237
+ params,
238
+ query,
239
+ headers,
240
+ body
241
+ };
242
+ }
243
+ };
244
+
245
+ // src/fetch/openapi-handler.ts
246
+ import { createProcedureClient, ORPCError as ORPCError2 } from "@orpc/server";
247
+ import { executeWithHooks, isPlainObject as isPlainObject3, ORPC_HANDLER_HEADER, trim } from "@orpc/shared";
248
+
249
+ // src/fetch/openapi-payload-codec.ts
250
+ import { ORPCError } from "@orpc/server";
251
+ import { findDeepMatches } from "@orpc/shared";
252
+ import cd from "content-disposition";
253
+ import { safeParse } from "fast-content-type-parse";
254
+ import wcmatch from "wildcard-match";
255
+ var OpenAPIPayloadCodec = class {
256
+ constructor(jsonSerializer) {
257
+ this.jsonSerializer = jsonSerializer;
258
+ }
259
+ encode(payload, accept) {
260
+ const typeMatchers = (accept?.split(",").map(safeParse) ?? [{ type: "*/*" }]).map(({ type }) => wcmatch(type));
261
+ if (payload instanceof Blob) {
262
+ const contentType = payload.type || "application/octet-stream";
263
+ if (typeMatchers.some((isMatch) => isMatch(contentType))) {
264
+ const headers = new Headers({
265
+ "Content-Type": contentType
266
+ });
267
+ if (payload instanceof File && payload.name) {
268
+ headers.append("Content-Disposition", cd(payload.name));
269
+ }
270
+ return {
271
+ body: payload,
272
+ headers
273
+ };
309
274
  }
310
275
  }
311
- const tokens = path.match(/(?::[^\/]+)|(?:\/\*$)|./g) || [];
312
- for (let i = groups.length - 1; i >= 0; i--) {
313
- const [mark] = groups[i];
314
- for (let j = tokens.length - 1; j >= 0; j--) {
315
- if (tokens[j].indexOf(mark) !== -1) {
316
- tokens[j] = tokens[j].replace(mark, groups[i][1]);
317
- break;
318
- }
276
+ const handledPayload = this.jsonSerializer.serialize(payload);
277
+ const hasBlobs = findDeepMatches((v) => v instanceof Blob, handledPayload).values.length > 0;
278
+ const isExpectedMultipartFormData = typeMatchers.some(
279
+ (isMatch) => isMatch("multipart/form-data")
280
+ );
281
+ if (hasBlobs && isExpectedMultipartFormData) {
282
+ return this.encodeAsFormData(handledPayload);
283
+ }
284
+ if (typeMatchers.some((isMatch) => isMatch("application/json"))) {
285
+ return this.encodeAsJSON(handledPayload);
286
+ }
287
+ if (typeMatchers.some(
288
+ (isMatch) => isMatch("application/x-www-form-urlencoded")
289
+ )) {
290
+ return this.encodeAsURLSearchParams(handledPayload);
291
+ }
292
+ if (isExpectedMultipartFormData) {
293
+ return this.encodeAsFormData(handledPayload);
294
+ }
295
+ throw new ORPCError({
296
+ code: "NOT_ACCEPTABLE",
297
+ message: `Unsupported content-type: ${accept}`
298
+ });
299
+ }
300
+ encodeAsJSON(payload) {
301
+ if (payload === void 0) {
302
+ return {
303
+ body: void 0,
304
+ headers: new Headers({
305
+ "content-type": "application/json"
306
+ })
307
+ };
308
+ }
309
+ return {
310
+ body: JSON.stringify(payload),
311
+ headers: new Headers({
312
+ "content-type": "application/json"
313
+ })
314
+ };
315
+ }
316
+ encodeAsFormData(payload) {
317
+ const form = new FormData();
318
+ for (const [path, value] of serialize(payload)) {
319
+ if (typeof value === "string" || typeof value === "number" || typeof value === "boolean") {
320
+ form.append(path, value.toString());
321
+ } else if (value === null) {
322
+ form.append(path, "null");
323
+ } else if (value instanceof Date) {
324
+ form.append(
325
+ path,
326
+ Number.isNaN(value.getTime()) ? "Invalid Date" : value.toISOString()
327
+ );
328
+ } else if (value instanceof Blob) {
329
+ form.append(path, value);
319
330
  }
320
331
  }
321
- this.#root.insert(tokens, index, paramAssoc, this.#context, pathErrorCheckOnly);
322
- return paramAssoc;
323
- }
324
- buildRegExp() {
325
- let regexp = this.#root.buildRegExpStr();
326
- if (regexp === "") {
327
- return [/^$/, [], []];
328
- }
329
- let captureIndex = 0;
330
- const indexReplacementMap = [];
331
- const paramReplacementMap = [];
332
- regexp = regexp.replace(/#(\d+)|@(\d+)|\.\*\$/g, (_, handlerIndex, paramIndex) => {
333
- if (handlerIndex !== void 0) {
334
- indexReplacementMap[++captureIndex] = Number(handlerIndex);
335
- return "$()";
332
+ return {
333
+ body: form
334
+ };
335
+ }
336
+ encodeAsURLSearchParams(payload) {
337
+ const params = new URLSearchParams();
338
+ for (const [path, value] of serialize(payload)) {
339
+ if (typeof value === "string" || typeof value === "number" || typeof value === "boolean") {
340
+ params.append(path, value.toString());
341
+ } else if (value === null) {
342
+ params.append(path, "null");
343
+ } else if (value instanceof Date) {
344
+ params.append(
345
+ path,
346
+ Number.isNaN(value.getTime()) ? "Invalid Date" : value.toISOString()
347
+ );
336
348
  }
337
- if (paramIndex !== void 0) {
338
- paramReplacementMap[Number(paramIndex)] = ++captureIndex;
339
- return "";
349
+ }
350
+ return {
351
+ body: params.toString(),
352
+ headers: new Headers({
353
+ "content-type": "application/x-www-form-urlencoded"
354
+ })
355
+ };
356
+ }
357
+ async decode(re) {
358
+ if (re instanceof Headers || re instanceof URLSearchParams || re instanceof FormData) {
359
+ return deserialize([...re.entries()]);
360
+ }
361
+ const contentType = re.headers.get("content-type");
362
+ const contentDisposition = re.headers.get("content-disposition");
363
+ const fileName = contentDisposition ? cd.parse(contentDisposition).parameters.filename : void 0;
364
+ if (fileName) {
365
+ const blob2 = await re.blob();
366
+ const file = new File([blob2], fileName, {
367
+ type: blob2.type
368
+ });
369
+ return file;
370
+ }
371
+ if (!contentType || contentType.startsWith("application/json")) {
372
+ if (!re.body) {
373
+ return void 0;
340
374
  }
341
- return "";
375
+ return await re.json();
376
+ }
377
+ if (contentType.startsWith("application/x-www-form-urlencoded")) {
378
+ const params = new URLSearchParams(await re.text());
379
+ return this.decode(params);
380
+ }
381
+ if (contentType.startsWith("text/")) {
382
+ const text = await re.text();
383
+ return text;
384
+ }
385
+ if (contentType.startsWith("multipart/form-data")) {
386
+ const form = await re.formData();
387
+ return this.decode(form);
388
+ }
389
+ const blob = await re.blob();
390
+ return new File([blob], "blob", {
391
+ type: blob.type
342
392
  });
343
- return [new RegExp(`^${regexp}`), indexReplacementMap, paramReplacementMap];
344
393
  }
345
394
  };
346
395
 
347
- // ../../node_modules/.pnpm/hono@4.6.12/node_modules/hono/dist/router/reg-exp-router/router.js
348
- var emptyParam = [];
349
- var nullMatcher = [/^$/, [], /* @__PURE__ */ Object.create(null)];
350
- var wildcardRegExpCache = /* @__PURE__ */ Object.create(null);
351
- function buildWildcardRegExp(path) {
352
- return wildcardRegExpCache[path] ??= new RegExp(
353
- path === "*" ? "" : `^${path.replace(
354
- /\/\*$|([.\\+*[^\]$()])/g,
355
- (_, metaChar) => metaChar ? `\\${metaChar}` : "(?:|/.*)"
356
- )}$`
357
- );
358
- }
359
- function clearWildcardRegExpCache() {
360
- wildcardRegExpCache = /* @__PURE__ */ Object.create(null);
361
- }
362
- function buildMatcherFromPreprocessedRoutes(routes) {
363
- const trie = new Trie();
364
- const handlerData = [];
365
- if (routes.length === 0) {
366
- return nullMatcher;
367
- }
368
- const routesWithStaticPathFlag = routes.map(
369
- (route) => [!/\*|\/:/.test(route[0]), ...route]
370
- ).sort(
371
- ([isStaticA, pathA], [isStaticB, pathB]) => isStaticA ? 1 : isStaticB ? -1 : pathA.length - pathB.length
372
- );
373
- const staticMap = /* @__PURE__ */ Object.create(null);
374
- for (let i = 0, j = -1, len = routesWithStaticPathFlag.length; i < len; i++) {
375
- const [pathErrorCheckOnly, path, handlers] = routesWithStaticPathFlag[i];
376
- if (pathErrorCheckOnly) {
377
- staticMap[path] = [handlers.map(([h]) => [h, /* @__PURE__ */ Object.create(null)]), emptyParam];
378
- } else {
379
- j++;
380
- }
381
- let paramAssoc;
382
- try {
383
- paramAssoc = trie.insert(path, j, pathErrorCheckOnly);
384
- } catch (e) {
385
- throw e === PATH_ERROR ? new UnsupportedPathError(path) : e;
396
+ // src/fetch/openapi-procedure-matcher.ts
397
+ import { getLazyRouterPrefix, getRouterChild, isProcedure, unlazy } from "@orpc/server";
398
+ import { mapValues } from "@orpc/shared";
399
+ var OpenAPIProcedureMatcher = class {
400
+ constructor(hono, router) {
401
+ this.hono = hono;
402
+ this.router = router;
403
+ this.pendingRouters = [{ path: [], router }];
404
+ }
405
+ pendingRouters;
406
+ async match(method, pathname) {
407
+ await this.handlePendingRouters(pathname);
408
+ const [matches, paramStash] = this.hono.match(method, pathname);
409
+ const [match] = matches.sort((a, b) => {
410
+ const slashCountA = a[0][0].split("/").length;
411
+ const slashCountB = b[0][0].split("/").length;
412
+ if (slashCountA !== slashCountB) {
413
+ return slashCountB - slashCountA;
414
+ }
415
+ const paramsCountA = Object.keys(a[1]).length;
416
+ const paramsCountB = Object.keys(b[1]).length;
417
+ return paramsCountA - paramsCountB;
418
+ });
419
+ if (!match) {
420
+ return void 0;
386
421
  }
387
- if (pathErrorCheckOnly) {
388
- continue;
422
+ const path = match[0][1];
423
+ const params = paramStash ? mapValues(
424
+ match[1],
425
+ // if paramStash is defined, then match[1] is ParamIndexMap
426
+ (v) => paramStash[v]
427
+ ) : match[1];
428
+ const { default: maybeProcedure } = await unlazy(getRouterChild(this.router, ...path));
429
+ if (!isProcedure(maybeProcedure)) {
430
+ return void 0;
389
431
  }
390
- handlerData[j] = handlers.map(([h, paramCount]) => {
391
- const paramIndexMap = /* @__PURE__ */ Object.create(null);
392
- paramCount -= 1;
393
- for (; paramCount >= 0; paramCount--) {
394
- const [key, value2] = paramAssoc[paramCount];
395
- paramIndexMap[key] = value2;
396
- }
397
- return [h, paramIndexMap];
432
+ return {
433
+ path,
434
+ procedure: maybeProcedure,
435
+ params: { ...params }
436
+ // normalize params from hono
437
+ };
438
+ }
439
+ add(path, router) {
440
+ const lazies = forEachContractProcedure({ path, router }, ({ path: path2, contract }) => {
441
+ const method = contract["~orpc"].route?.method ?? "POST";
442
+ const httpPath = contract["~orpc"].route?.path ? this.convertOpenAPIPathToRouterPath(contract["~orpc"].route?.path) : `/${path2.map(encodeURIComponent).join("/")}`;
443
+ this.hono.add(method, httpPath, [httpPath, path2]);
398
444
  });
445
+ this.pendingRouters.push(...lazies);
399
446
  }
400
- const [regexp, indexReplacementMap, paramReplacementMap] = trie.buildRegExp();
401
- for (let i = 0, len = handlerData.length; i < len; i++) {
402
- for (let j = 0, len2 = handlerData[i].length; j < len2; j++) {
403
- const map = handlerData[i][j]?.[1];
404
- if (!map) {
447
+ async handlePendingRouters(pathname) {
448
+ const newPendingLazyRouters = [];
449
+ for (const item of this.pendingRouters) {
450
+ const lazyPrefix = getLazyRouterPrefix(item.router);
451
+ if (lazyPrefix && !pathname.startsWith(lazyPrefix) && !pathname.startsWith(`/${item.path.map(encodeURIComponent).join("/")}`)) {
452
+ newPendingLazyRouters.push(item);
405
453
  continue;
406
454
  }
407
- const keys = Object.keys(map);
408
- for (let k = 0, len3 = keys.length; k < len3; k++) {
409
- map[keys[k]] = paramReplacementMap[map[keys[k]]];
410
- }
455
+ const { default: router } = await unlazy(item.router);
456
+ this.add(item.path, router);
411
457
  }
458
+ this.pendingRouters = newPendingLazyRouters;
412
459
  }
413
- const handlerMap = [];
414
- for (const i in indexReplacementMap) {
415
- handlerMap[i] = handlerData[indexReplacementMap[i]];
460
+ convertOpenAPIPathToRouterPath(path) {
461
+ return standardizeHTTPPath(path).replace(/\{([^}]+)\}/g, ":$1");
416
462
  }
417
- return [regexp, handlerMap, staticMap];
418
- }
419
- function findMiddleware(middleware, path) {
420
- if (!middleware) {
421
- return void 0;
463
+ };
464
+
465
+ // src/fetch/schema-coercer.ts
466
+ var CompositeSchemaCoercer = class {
467
+ constructor(coercers) {
468
+ this.coercers = coercers;
422
469
  }
423
- for (const k of Object.keys(middleware).sort((a, b) => b.length - a.length)) {
424
- if (buildWildcardRegExp(k).test(path)) {
425
- return [...middleware[k]];
470
+ coerce(schema, value) {
471
+ let current = value;
472
+ for (const coercer of this.coercers) {
473
+ current = coercer.coerce(schema, current);
426
474
  }
475
+ return current;
427
476
  }
428
- return void 0;
429
- }
430
- var RegExpRouter = class {
431
- name = "RegExpRouter";
432
- #middleware;
433
- #routes;
434
- constructor() {
435
- this.#middleware = { [METHOD_NAME_ALL]: /* @__PURE__ */ Object.create(null) };
436
- this.#routes = { [METHOD_NAME_ALL]: /* @__PURE__ */ Object.create(null) };
437
- }
438
- add(method, path, handler) {
439
- const middleware = this.#middleware;
440
- const routes = this.#routes;
441
- if (!middleware || !routes) {
442
- throw new Error(MESSAGE_MATCHER_IS_ALREADY_BUILT);
443
- }
444
- if (!middleware[method]) {
445
- ;
446
- [middleware, routes].forEach((handlerMap) => {
447
- handlerMap[method] = /* @__PURE__ */ Object.create(null);
448
- Object.keys(handlerMap[METHOD_NAME_ALL]).forEach((p) => {
449
- handlerMap[method][p] = [...handlerMap[METHOD_NAME_ALL][p]];
450
- });
451
- });
452
- }
453
- if (path === "/*") {
454
- path = "*";
455
- }
456
- const paramCount = (path.match(/\/:/g) || []).length;
457
- if (/\*$/.test(path)) {
458
- const re = buildWildcardRegExp(path);
459
- if (method === METHOD_NAME_ALL) {
460
- Object.keys(middleware).forEach((m) => {
461
- middleware[m][path] ||= findMiddleware(middleware[m], path) || findMiddleware(middleware[METHOD_NAME_ALL], path) || [];
462
- });
463
- } else {
464
- middleware[method][path] ||= findMiddleware(middleware[method], path) || findMiddleware(middleware[METHOD_NAME_ALL], path) || [];
477
+ };
478
+
479
+ // src/fetch/openapi-handler.ts
480
+ var OpenAPIHandler = class {
481
+ constructor(hono, router, options) {
482
+ this.options = options;
483
+ const jsonSerializer = options?.jsonSerializer ?? new JSONSerializer();
484
+ this.procedureMatcher = options?.procedureMatcher ?? new OpenAPIProcedureMatcher(hono, router);
485
+ this.payloadCodec = options?.payloadCodec ?? new OpenAPIPayloadCodec(jsonSerializer);
486
+ this.inputStructureCompact = options?.inputBuilderSimple ?? new InputStructureCompact();
487
+ this.inputStructureDetailed = options?.inputBuilderFull ?? new InputStructureDetailed();
488
+ this.compositeSchemaCoercer = new CompositeSchemaCoercer(options?.schemaCoercers ?? []);
489
+ }
490
+ procedureMatcher;
491
+ payloadCodec;
492
+ inputStructureCompact;
493
+ inputStructureDetailed;
494
+ compositeSchemaCoercer;
495
+ condition(request) {
496
+ return request.headers.get(ORPC_HANDLER_HEADER) === null;
497
+ }
498
+ async fetch(request, ...[options]) {
499
+ const context = options?.context;
500
+ const headers = request.headers;
501
+ const accept = headers.get("Accept") || void 0;
502
+ const execute = async () => {
503
+ const url = new URL(request.url);
504
+ const pathname = `/${trim(url.pathname.replace(options?.prefix ?? "", ""), "/")}`;
505
+ const query = url.searchParams;
506
+ const customMethod = request.method === "POST" ? query.get("method")?.toUpperCase() : void 0;
507
+ const matchedMethod = customMethod || request.method;
508
+ const matched = await this.procedureMatcher.match(matchedMethod, pathname);
509
+ if (!matched) {
510
+ throw new ORPCError2({ code: "NOT_FOUND", message: "Not found" });
465
511
  }
466
- Object.keys(middleware).forEach((m) => {
467
- if (method === METHOD_NAME_ALL || method === m) {
468
- Object.keys(middleware[m]).forEach((p) => {
469
- re.test(p) && middleware[m][p].push([handler, paramCount]);
470
- });
471
- }
512
+ const contractDef = matched.procedure["~orpc"].contract["~orpc"];
513
+ const input = await this.decodeInput(matched.procedure, matched.params, request);
514
+ const coercedInput = this.compositeSchemaCoercer.coerce(contractDef.InputSchema, input);
515
+ const client = createProcedureClient({
516
+ context,
517
+ procedure: matched.procedure,
518
+ path: matched.path
472
519
  });
473
- Object.keys(routes).forEach((m) => {
474
- if (method === METHOD_NAME_ALL || method === m) {
475
- Object.keys(routes[m]).forEach(
476
- (p) => re.test(p) && routes[m][p].push([handler, paramCount])
477
- );
478
- }
520
+ const output = await client(coercedInput, { signal: options?.signal });
521
+ const { body, headers: resHeaders } = this.encodeOutput(matched.procedure, output, accept);
522
+ return new Response(body, {
523
+ headers: resHeaders,
524
+ status: contractDef.route?.successStatus ?? 200
479
525
  });
480
- return;
481
- }
482
- const paths = checkOptionalParameter(path) || [path];
483
- for (let i = 0, len = paths.length; i < len; i++) {
484
- const path2 = paths[i];
485
- Object.keys(routes).forEach((m) => {
486
- if (method === METHOD_NAME_ALL || method === m) {
487
- routes[m][path2] ||= [
488
- ...findMiddleware(middleware[m], path2) || findMiddleware(middleware[METHOD_NAME_ALL], path2) || []
489
- ];
490
- routes[m][path2].push([handler, paramCount - len + i + 1]);
526
+ };
527
+ try {
528
+ return await executeWithHooks({
529
+ context,
530
+ execute,
531
+ input: request,
532
+ hooks: this.options,
533
+ meta: {
534
+ signal: options?.signal
491
535
  }
492
536
  });
537
+ } catch (e) {
538
+ const error = this.convertToORPCError(e);
539
+ try {
540
+ const { body, headers: headers2 } = this.payloadCodec.encode(error.toJSON(), accept);
541
+ return new Response(body, {
542
+ status: error.status,
543
+ headers: headers2
544
+ });
545
+ } catch (e2) {
546
+ const error2 = this.convertToORPCError(e2);
547
+ const { body, headers: headers2 } = this.payloadCodec.encode(error2.toJSON(), void 0);
548
+ return new Response(body, {
549
+ status: error2.status,
550
+ headers: headers2
551
+ });
552
+ }
493
553
  }
494
554
  }
495
- match(method, path) {
496
- clearWildcardRegExpCache();
497
- const matchers = this.#buildAllMatchers();
498
- this.match = (method2, path2) => {
499
- const matcher = matchers[method2] || matchers[METHOD_NAME_ALL];
500
- const staticMatch = matcher[2][path2];
501
- if (staticMatch) {
502
- return staticMatch;
555
+ async decodeInput(procedure, params, request) {
556
+ const inputStructure = procedure["~orpc"].contract["~orpc"].route?.inputStructure;
557
+ const url = new URL(request.url);
558
+ const query = url.searchParams;
559
+ const headers = request.headers;
560
+ if (!inputStructure || inputStructure === "compact") {
561
+ return this.inputStructureCompact.build(
562
+ params,
563
+ request.method === "GET" ? await this.payloadCodec.decode(query) : await this.payloadCodec.decode(request)
564
+ );
565
+ }
566
+ const _expect = inputStructure;
567
+ const decodedQuery = await this.payloadCodec.decode(query);
568
+ const decodedHeaders = await this.payloadCodec.decode(headers);
569
+ const decodedBody = await this.payloadCodec.decode(request);
570
+ return this.inputStructureDetailed.build(params, decodedQuery, decodedHeaders, decodedBody);
571
+ }
572
+ encodeOutput(procedure, output, accept) {
573
+ const outputStructure = procedure["~orpc"].contract["~orpc"].route?.outputStructure;
574
+ if (!outputStructure || outputStructure === "compact") {
575
+ return this.payloadCodec.encode(output, accept);
576
+ }
577
+ const _expect = outputStructure;
578
+ this.assertDetailedOutput(output);
579
+ const headers = new Headers();
580
+ if (output.headers) {
581
+ for (const [key, value] of Object.entries(output.headers)) {
582
+ headers.append(key, value);
503
583
  }
504
- const match = path2.match(matcher[0]);
505
- if (!match) {
506
- return [[], emptyParam];
584
+ }
585
+ const { body, headers: encodedHeaders } = this.payloadCodec.encode(output.body, accept);
586
+ if (encodedHeaders) {
587
+ for (const [key, value] of encodedHeaders.entries()) {
588
+ headers.append(key, value);
507
589
  }
508
- const index = match.indexOf("", 1);
509
- return [matcher[1][index], match];
510
- };
511
- return this.match(method, path);
590
+ }
591
+ return { body, headers };
512
592
  }
513
- #buildAllMatchers() {
514
- const matchers = /* @__PURE__ */ Object.create(null);
515
- Object.keys(this.#routes).concat(Object.keys(this.#middleware)).forEach((method) => {
516
- matchers[method] ||= this.#buildMatcher(method);
517
- });
518
- this.#middleware = this.#routes = void 0;
519
- return matchers;
520
- }
521
- #buildMatcher(method) {
522
- const routes = [];
523
- let hasOwnRoute = method === METHOD_NAME_ALL;
524
- [this.#middleware, this.#routes].forEach((r) => {
525
- const ownRoute = r[method] ? Object.keys(r[method]).map((path) => [path, r[method][path]]) : [];
526
- if (ownRoute.length !== 0) {
527
- hasOwnRoute ||= true;
528
- routes.push(...ownRoute);
529
- } else if (method !== METHOD_NAME_ALL) {
530
- routes.push(
531
- ...Object.keys(r[METHOD_NAME_ALL]).map((path) => [path, r[METHOD_NAME_ALL][path]])
532
- );
593
+ assertDetailedOutput(output) {
594
+ const error = new Error(`
595
+ Invalid output structure for 'detailed' output.
596
+ Expected format:
597
+ {
598
+ body?: unknown; // The main response content (optional)
599
+ headers?: { // Additional headers (optional)
600
+ [key: string]: string;
601
+ };
533
602
  }
534
- });
535
- if (!hasOwnRoute) {
536
- return null;
537
- } else {
538
- return buildMatcherFromPreprocessedRoutes(routes);
603
+
604
+ Example:
605
+ {
606
+ body: { message: "Success" },
607
+ headers: { "X-Custom-Header": "Custom-Value" },
608
+ }
609
+
610
+ Fix: Ensure your output matches the expected structure.
611
+ `);
612
+ if (!isPlainObject3(output) || Object.keys(output).some((key) => key !== "body" && key !== "headers")) {
613
+ throw error;
614
+ }
615
+ if (output.headers !== void 0 && !isPlainObject3(output.headers)) {
616
+ throw error;
617
+ }
618
+ if (output.headers && Object.entries(output.headers).some(([key, value]) => typeof key !== "string" || typeof value !== "string")) {
619
+ throw error;
539
620
  }
540
621
  }
622
+ convertToORPCError(e) {
623
+ return e instanceof ORPCError2 ? e : new ORPCError2({
624
+ code: "INTERNAL_SERVER_ERROR",
625
+ message: "Internal server error",
626
+ cause: e
627
+ });
628
+ }
541
629
  };
542
630
 
543
- // src/fetch/server-handler.ts
544
- function createOpenAPIServerHandler() {
545
- return createOpenAPIHandler(() => new RegExpRouter());
546
- }
547
-
548
- // ../../node_modules/.pnpm/hono@4.6.12/node_modules/hono/dist/router/linear-router/router.js
549
- var emptyParams = /* @__PURE__ */ Object.create(null);
550
- var splitPathRe = /\/(:\w+(?:{(?:(?:{[\d,]+})|[^}])+})?)|\/[^\/\?]+|(\?)/g;
551
- var splitByStarRe = /\*/;
552
- var LinearRouter = class {
553
- name = "LinearRouter";
554
- #routes = [];
555
- add(method, path, handler) {
556
- for (let i = 0, paths = checkOptionalParameter(path) || [path], len = paths.length; i < len; i++) {
557
- this.#routes.push([method, paths[i], handler]);
558
- }
559
- }
560
- match(method, path) {
561
- const handlers = [];
562
- ROUTES_LOOP:
563
- for (let i = 0, len = this.#routes.length; i < len; i++) {
564
- const [routeMethod, routePath, handler] = this.#routes[i];
565
- if (routeMethod === method || routeMethod === METHOD_NAME_ALL) {
566
- if (routePath === "*" || routePath === "/*") {
567
- handlers.push([handler, emptyParams]);
568
- continue;
569
- }
570
- const hasStar = routePath.indexOf("*") !== -1;
571
- const hasLabel = routePath.indexOf(":") !== -1;
572
- if (!hasStar && !hasLabel) {
573
- if (routePath === path || routePath + "/" === path) {
574
- handlers.push([handler, emptyParams]);
575
- }
576
- } else if (hasStar && !hasLabel) {
577
- const endsWithStar = routePath.charCodeAt(routePath.length - 1) === 42;
578
- const parts = (endsWithStar ? routePath.slice(0, -2) : routePath).split(splitByStarRe);
579
- const lastIndex = parts.length - 1;
580
- for (let j = 0, pos = 0, len2 = parts.length; j < len2; j++) {
581
- const part = parts[j];
582
- const index = path.indexOf(part, pos);
583
- if (index !== pos) {
584
- continue ROUTES_LOOP;
585
- }
586
- pos += part.length;
587
- if (j === lastIndex) {
588
- if (!endsWithStar && pos !== path.length && !(pos === path.length - 1 && path.charCodeAt(pos) === 47)) {
589
- continue ROUTES_LOOP;
590
- }
591
- } else {
592
- const index2 = path.indexOf("/", pos);
593
- if (index2 === -1) {
594
- continue ROUTES_LOOP;
595
- }
596
- pos = index2;
597
- }
598
- }
599
- handlers.push([handler, emptyParams]);
600
- } else if (hasLabel && !hasStar) {
601
- const params = /* @__PURE__ */ Object.create(null);
602
- const parts = routePath.match(splitPathRe);
603
- const lastIndex = parts.length - 1;
604
- for (let j = 0, pos = 0, len2 = parts.length; j < len2; j++) {
605
- if (pos === -1 || pos >= path.length) {
606
- continue ROUTES_LOOP;
607
- }
608
- const part = parts[j];
609
- if (part.charCodeAt(1) === 58) {
610
- let name = part.slice(2);
611
- let value2;
612
- if (name.charCodeAt(name.length - 1) === 125) {
613
- const openBracePos = name.indexOf("{");
614
- const pattern = name.slice(openBracePos + 1, -1);
615
- const restPath = path.slice(pos + 1);
616
- const match = new RegExp(pattern, "d").exec(restPath);
617
- if (!match || match.indices[0][0] !== 0 || match.indices[0][1] === 0) {
618
- continue ROUTES_LOOP;
619
- }
620
- name = name.slice(0, openBracePos);
621
- value2 = restPath.slice(...match.indices[0]);
622
- pos += match.indices[0][1] + 1;
623
- } else {
624
- let endValuePos = path.indexOf("/", pos + 1);
625
- if (endValuePos === -1) {
626
- if (pos + 1 === path.length) {
627
- continue ROUTES_LOOP;
628
- }
629
- endValuePos = path.length;
630
- }
631
- value2 = path.slice(pos + 1, endValuePos);
632
- pos = endValuePos;
633
- }
634
- params[name] ||= value2;
635
- } else {
636
- const index = path.indexOf(part, pos);
637
- if (index !== pos) {
638
- continue ROUTES_LOOP;
639
- }
640
- pos += part.length;
641
- }
642
- if (j === lastIndex) {
643
- if (pos !== path.length && !(pos === path.length - 1 && path.charCodeAt(pos) === 47)) {
644
- continue ROUTES_LOOP;
645
- }
646
- }
647
- }
648
- handlers.push([handler, params]);
649
- } else if (hasLabel && hasStar) {
650
- throw new UnsupportedPathError();
651
- }
652
- }
653
- }
654
- return [handlers];
631
+ // src/fetch/openapi-handler-server.ts
632
+ import { TrieRouter } from "hono/router/trie-router";
633
+ var OpenAPIServerHandler = class extends OpenAPIHandler {
634
+ constructor(router, options) {
635
+ super(new TrieRouter(), router, options);
655
636
  }
656
637
  };
657
638
 
658
- // src/fetch/serverless-handler.ts
659
- function createOpenAPIServerlessHandler() {
660
- return createOpenAPIHandler(() => new LinearRouter());
661
- }
639
+ // src/fetch/openapi-handler-serverless.ts
640
+ import { LinearRouter } from "hono/router/linear-router";
641
+ var OpenAPIServerlessHandler = class extends OpenAPIHandler {
642
+ constructor(router, options) {
643
+ super(new LinearRouter(), router, options);
644
+ }
645
+ };
662
646
  export {
663
- createOpenAPIHandler,
664
- createOpenAPIServerHandler,
665
- createOpenAPIServerlessHandler,
666
- createResolveRouter,
667
- openAPIPathToRouterPath
647
+ CompositeSchemaCoercer,
648
+ InputStructureCompact,
649
+ InputStructureDetailed,
650
+ OpenAPIHandler,
651
+ OpenAPIPayloadCodec,
652
+ OpenAPIProcedureMatcher,
653
+ OpenAPIServerHandler,
654
+ OpenAPIServerlessHandler,
655
+ deserialize,
656
+ escapeSegment,
657
+ parsePath,
658
+ serialize,
659
+ stringifyPath
668
660
  };
661
+ //# sourceMappingURL=fetch.js.map