summaryrefslogtreecommitdiff
path: root/.ci/ci.cjs
diff options
context:
space:
mode:
Diffstat (limited to '.ci/ci.cjs')
-rwxr-xr-x.ci/ci.cjs2931
1 files changed, 2893 insertions, 38 deletions
diff --git a/.ci/ci.cjs b/.ci/ci.cjs
index 3e0f4ea..5574ede 100755
--- a/.ci/ci.cjs
+++ b/.ci/ci.cjs
@@ -147,7 +147,7 @@ var require_optional = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.Optional = exports2.IOptionalEmptyError = exports2.isOptional = exports2.IOptionalTag = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
exports2.IOptionalTag = "IOptional";
var isOptional = (o) => (0, pengueno_1.isTagged)(o, exports2.IOptionalTag);
exports2.isOptional = isOptional;
@@ -228,7 +228,7 @@ var require_either = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.Either = exports2.isRight = exports2.isLeft = exports2.isEither = exports2.IEitherTag = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
exports2.IEitherTag = "IEither";
var isEither = (o) => (0, pengueno_1.isTagged)(o, exports2.IEitherTag);
exports2.isEither = isEither;
@@ -307,6 +307,11 @@ var require_either = __commonJS({
return await o.then((other2) => other2.mapRight((o2) => mapper(o2, t)));
});
}
+ swap() {
+ if ((0, exports2.isRight)(this.self))
+ return _Either.left(this.self.ok);
+ return _Either.right(this.self.err);
+ }
static left(e) {
return new _Either({ err: e, _tag: ELeftTag });
}
@@ -323,6 +328,22 @@ var require_either = __commonJS({
static async fromFailableAsync(s) {
return await (typeof s === "function" ? s() : s).then((t) => _Either.right(t)).catch((e) => _Either.left(e));
}
+ static async retrying(s, attempts = 3, interval = (attempt) => _Either.attemptWait(attempt)) {
+ let result = _Either.right(new Error("No attempts made"));
+ for (let attempt = 0; attempt < attempts && result.right().present(); attempt++) {
+ await interval(attempt);
+ const currentAttempt = await s().then((s2) => s2.swap());
+ result = await result.joinRightAsync(() => Promise.resolve(currentAttempt), (res, _prevError) => res);
+ }
+ return result.swap();
+ }
+ static attemptWait(attempt, backoffFactor = 500, jitter = 300, exponent = 1.3) {
+ if (attempt === 0) {
+ return Promise.resolve();
+ }
+ const wait = Math.pow(exponent, attempt) * backoffFactor + jitter * Math.random() * Math.pow(exponent, attempt);
+ return new Promise((res) => setTimeout(res, wait));
+ }
};
exports2.Either = Either2;
}
@@ -361,7 +382,7 @@ var require_cons = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.ListZipper = exports2.Cons = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var Cons = class _Cons {
value;
next;
@@ -437,6 +458,72 @@ var require_cons = __commonJS({
}
});
+// ../node_modules/@emprespresso/pengueno/dist/types/collections/jsonds.js
+var require_jsonds = __commonJS({
+ "../node_modules/@emprespresso/pengueno/dist/types/collections/jsonds.js"(exports2) {
+ "use strict";
+ Object.defineProperty(exports2, "__esModule", { value: true });
+ exports2.JSONHashMap = exports2.JSONSet = void 0;
+ var JSONSet = class {
+ items;
+ constructor(items = /* @__PURE__ */ new Set()) {
+ this.items = items;
+ }
+ add(item) {
+ const itemJson = JSON.stringify(item, Object.keys(item).sort());
+ this.items.add(itemJson);
+ }
+ has(item) {
+ const itemJson = JSON.stringify(item, Object.keys(item).sort());
+ return this.items.has(itemJson);
+ }
+ delete(item) {
+ const itemJson = JSON.stringify(item, Object.keys(item).sort());
+ return this.items.delete(itemJson);
+ }
+ clear() {
+ this.items.clear();
+ }
+ size() {
+ return this.items.size;
+ }
+ };
+ exports2.JSONSet = JSONSet;
+ var JSONHashMap = class {
+ map;
+ constructor(map = /* @__PURE__ */ new Map()) {
+ this.map = map;
+ }
+ set(key, value) {
+ const keyJson = JSON.stringify(key, Object.keys(key).sort());
+ this.map.set(keyJson, value);
+ }
+ get(key) {
+ const keyJson = JSON.stringify(key, Object.keys(key).sort());
+ return this.map.get(keyJson);
+ }
+ has(key) {
+ const keyJson = JSON.stringify(key, Object.keys(key).sort());
+ return this.map.has(keyJson);
+ }
+ keys() {
+ return Array.from(this.map.keys()).map((x) => JSON.parse(x));
+ }
+ delete(key) {
+ const keyJson = JSON.stringify(key, Object.keys(key).sort());
+ return this.map.delete(keyJson);
+ }
+ clear() {
+ this.map.clear();
+ }
+ size() {
+ return this.map.size;
+ }
+ };
+ exports2.JSONHashMap = JSONHashMap;
+ }
+});
+
// ../node_modules/@emprespresso/pengueno/dist/types/collections/index.js
var require_collections = __commonJS({
"../node_modules/@emprespresso/pengueno/dist/types/collections/index.js"(exports2) {
@@ -459,6 +546,7 @@ var require_collections = __commonJS({
};
Object.defineProperty(exports2, "__esModule", { value: true });
__exportStar(require_cons(), exports2);
+ __exportStar(require_jsonds(), exports2);
}
});
@@ -640,7 +728,7 @@ var require_trace = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.MetricsTrace = exports2.isMetricsTraceSupplier = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var isMetricsTraceSupplier = (t) => (0, pengueno_1.isMetricValue)(t) || (0, pengueno_1.isIMetric)(t) || Array.isArray(t) && t.every((_m) => (0, pengueno_1.isMetricValue)(_m) || (0, pengueno_1.isIMetric)(_m));
exports2.isMetricsTraceSupplier = isMetricsTraceSupplier;
var MetricsTrace = class _MetricsTrace {
@@ -655,8 +743,8 @@ var require_trace = __commonJS({
traceScope(trace) {
const now = Date.now();
const metricsToTrace = (Array.isArray(trace) ? trace : [trace]).filter(pengueno_1.isIMetric);
- const initialTraces = new Map(metricsToTrace.map((metric) => [metric, now]));
- return new _MetricsTrace(this.metricConsumer, initialTraces);
+ const initialTraces = new Map(metricsToTrace.map((metric) => [metric.name, now]));
+ return new _MetricsTrace(this.metricConsumer, initialTraces, this.completedTraces);
}
trace(metrics) {
if (!metrics || typeof metrics === "string") {
@@ -666,21 +754,33 @@ var require_trace = __commonJS({
const allMetrics = Array.isArray(metrics) ? metrics : [metrics];
const valuesToEmit = allMetrics.filter(pengueno_1.isMetricValue);
const traceableMetrics = allMetrics.filter(pengueno_1.isIMetric);
- const metricsToStart = traceableMetrics.filter((m) => !this.activeTraces.has(m));
- const metricsToEnd = traceableMetrics.filter((m) => this.activeTraces.has(m) && !this.completedTraces.has(m));
+ const metricsToStart = traceableMetrics.filter((m) => !this.activeTraces.has(m.name));
+ const metricsToEnd = traceableMetrics.filter((m) => this.activeTraces.has(m.name) && !this.completedTraces.has(m.name));
const endedMetricValues = metricsToEnd.flatMap((metric) => [
metric.count.withValue(1),
- metric.time.withValue(now - this.activeTraces.get(metric))
+ metric.time.withValue(now - this.activeTraces.get(metric.name))
]);
- const allMetricsToEmit = [...valuesToEmit, ...endedMetricValues];
+ const parentBasedMetrics = metricsToStart.filter((metric) => {
+ const parent = metric.parent;
+ return parent && this.activeTraces.has(parent.name);
+ });
+ const parentBasedValues = parentBasedMetrics.flatMap((metric) => {
+ const parentStart = this.activeTraces.get(metric.parent.name);
+ return [metric.count.withValue(1), metric.time.withValue(now - parentStart)];
+ });
+ const allMetricsToEmit = [...valuesToEmit, ...endedMetricValues, ...parentBasedValues];
if (allMetricsToEmit.length > 0) {
this.metricConsumer(allMetricsToEmit);
}
const nextActiveTraces = new Map([
...this.activeTraces,
- ...metricsToStart.map((m) => [m, now])
+ ...metricsToStart.map((m) => [m.name, now])
+ ]);
+ const nextCompletedTraces = /* @__PURE__ */ new Set([
+ ...this.completedTraces,
+ ...metricsToEnd.map((m) => m.name),
+ ...parentBasedMetrics.map((m) => m.name)
]);
- const nextCompletedTraces = /* @__PURE__ */ new Set([...this.completedTraces, ...metricsToEnd]);
return new _MetricsTrace(this.metricConsumer, nextActiveTraces, nextCompletedTraces);
}
};
@@ -710,7 +810,7 @@ var require_metric2 = __commonJS({
};
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.isIMetric = exports2.IMetricTag = exports2.isMetricValue = exports2.MetricValueTag = exports2.Unit = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var Unit;
(function(Unit2) {
Unit2["COUNT"] = "COUNT";
@@ -836,7 +936,7 @@ var require_trace2 = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.LogTrace = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var index_1 = require_log();
var LogTrace = class _LogTrace {
logger;
@@ -951,14 +1051,6 @@ var require_trace3 = __commonJS({
this.logTrace = logTrace;
this.metricsTrace = metricsTrace;
}
- // public traceScope(trace: LogTraceSupplier | MetricsTraceSupplier): LogMetricTrace {
- // if (isMetricsTraceSupplier(trace)) {
- // this.metricsTrace = this.metricsTrace.traceScope(trace);
- // return this;
- // }
- // this.logTrace = this.logTrace.traceScope(trace);
- // return this;
- // }
traceScope(trace) {
if ((0, _1.isMetricsTraceSupplier)(trace)) {
return new _LogMetricTrace(this.logTrace, this.metricsTrace.traceScope(trace));
@@ -995,7 +1087,7 @@ var require_util = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.TraceUtil = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var TraceUtil = class _TraceUtil {
static promiseify(mapper) {
return (traceablePromise) => traceablePromise.flatMapAsync(async (t) => t.move(await t.get()).map(mapper)).get();
@@ -1059,7 +1151,7 @@ var require_exec = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.getStdoutMany = exports2.getStdout = exports2.CmdMetric = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var node_child_process_1 = require("node:child_process");
exports2.CmdMetric = pengueno_1.Metric.fromName("Exec").asResult();
var getStdout = (cmd, options = { streamTraceable: [] }) => cmd.flatMap(pengueno_1.TraceUtil.withFunctionTrace(exports2.getStdout)).flatMap((tCmd) => tCmd.traceScope(() => `Command = ${tCmd.get()}`)).map((tCmd) => {
@@ -1113,7 +1205,7 @@ var require_env = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.getRequiredEnvVars = exports2.getRequiredEnv = exports2.getEnv = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var getEnv = (name) => pengueno_1.Optional.from(process.env[name]);
exports2.getEnv = getEnv;
var getRequiredEnv = (name) => pengueno_1.Either.fromFailable(() => (0, exports2.getEnv)(name).get()).mapLeft(() => new Error(`environment variable "${name}" is required D:`));
@@ -1136,7 +1228,7 @@ var require_validate_identifier = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.validateExecutionEntries = exports2.validateIdentifier = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var validateIdentifier = (token) => {
return /^[a-zA-Z0-9_\-:. \/]+$/.test(token) && !token.includes("..");
};
@@ -1157,7 +1249,7 @@ var require_argv = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.argv = exports2.getArg = exports2.isArgKey = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var isArgKey = (k) => k.startsWith("--");
exports2.isArgKey = isArgKey;
var getArg = (arg, argv2, whenValue) => {
@@ -1190,7 +1282,7 @@ var require_signals = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.Signals = exports2.SigTermMetric = exports2.SigIntMetric = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
exports2.SigIntMetric = pengueno_1.Metric.fromName("SigInt").asResult();
exports2.SigTermMetric = pengueno_1.Metric.fromName("SigTerm").asResult();
var Signals = class {
@@ -1367,7 +1459,7 @@ var require_pengueno = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.JsonResponse = exports2.PenguenoResponse = exports2.getResponseMetrics = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var getHeaders = (req, extraHeaders) => {
const optHeaders = {
...req.getResponseHeaders(),
@@ -1518,7 +1610,7 @@ var require_health = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.HealthCheckActivityImpl = exports2.HealthCheckOutput = exports2.HealthCheckInput = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var HealthCheckInput;
(function(HealthCheckInput2) {
HealthCheckInput2[HealthCheckInput2["CHECK"] = 0] = "CHECK";
@@ -1550,7 +1642,7 @@ var require_fourohfour = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.FourOhFourActivityImpl = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var messages = [
"D: meow-t found! your api call ran away!",
"404-bidden! but like...in a cute way >:3 !",
@@ -1599,7 +1691,7 @@ var require_method2 = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.requireMethod = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var requireMethod = (methods) => (req) => req.flatMap(pengueno_1.TraceUtil.withFunctionTrace(exports2.requireMethod)).map((t) => {
const { req: { method } } = t.get();
if (!methods.includes(method)) {
@@ -1619,7 +1711,7 @@ var require_json = __commonJS({
"use strict";
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.jsonModel = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var ParseJsonMetric = pengueno_1.Metric.fromName("JsonParse").asResult();
var jsonModel = (jsonTransformer) => (r) => r.flatMap(pengueno_1.TraceUtil.withFunctionTrace(exports2.jsonModel)).flatMap(pengueno_1.TraceUtil.withMetricTrace(ParseJsonMetric)).map((j) => pengueno_1.Either.fromFailableAsync(j.get().req.json()).then((either) => either.mapLeft((errReason) => {
j.trace.traceScope(pengueno_1.LogLevel.WARN).trace(errReason);
@@ -1651,7 +1743,7 @@ var require_filter = __commonJS({
};
Object.defineProperty(exports2, "__esModule", { value: true });
exports2.PenguenoError = exports2.ErrorSource = void 0;
- var pengueno_1 = require_dist();
+ var pengueno_1 = require_dist2();
var ErrorSource;
(function(ErrorSource2) {
ErrorSource2["USER"] = "WARN";
@@ -1674,6 +1766,2768 @@ var require_filter = __commonJS({
}
});
+// ../node_modules/@hono/node-server/dist/index.js
+var require_dist = __commonJS({
+ "../node_modules/@hono/node-server/dist/index.js"(exports2, module2) {
+ "use strict";
+ var __create2 = Object.create;
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __getProtoOf2 = Object.getPrototypeOf;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toESM2 = (mod, isNodeMode, target) => (target = mod != null ? __create2(__getProtoOf2(mod)) : {}, __copyProps2(
+ // If the importer is in node compatibility mode or this is not an ESM
+ // file that has been converted to a CommonJS file using a Babel-
+ // compatible transform (i.e. "__esModule" has not been set), then set
+ // "default" to the CommonJS "module.exports" for node compatibility.
+ isNodeMode || !mod || !mod.__esModule ? __defProp2(target, "default", { value: mod, enumerable: true }) : target,
+ mod
+ ));
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var src_exports = {};
+ __export(src_exports, {
+ RequestError: () => RequestError,
+ createAdaptorServer: () => createAdaptorServer,
+ getRequestListener: () => getRequestListener,
+ serve: () => serve
+ });
+ module2.exports = __toCommonJS(src_exports);
+ var import_node_http = require("http");
+ var import_node_http2 = require("http2");
+ var import_node_stream = require("stream");
+ var RequestError = class extends Error {
+ constructor(message, options) {
+ super(message, options);
+ this.name = "RequestError";
+ }
+ };
+ var toRequestError = (e) => {
+ if (e instanceof RequestError) {
+ return e;
+ }
+ return new RequestError(e.message, { cause: e });
+ };
+ var GlobalRequest = global.Request;
+ var Request2 = class extends GlobalRequest {
+ constructor(input, options) {
+ if (typeof input === "object" && getRequestCache in input) {
+ input = input[getRequestCache]();
+ }
+ if (typeof options?.body?.getReader !== "undefined") {
+ ;
+ options.duplex ??= "half";
+ }
+ super(input, options);
+ }
+ };
+ var newRequestFromIncoming = (method, url, incoming, abortController) => {
+ const headerRecord = [];
+ const rawHeaders = incoming.rawHeaders;
+ for (let i = 0; i < rawHeaders.length; i += 2) {
+ const { [i]: key, [i + 1]: value } = rawHeaders;
+ if (key.charCodeAt(0) !== /*:*/
+ 58) {
+ headerRecord.push([key, value]);
+ }
+ }
+ const init = {
+ method,
+ headers: headerRecord,
+ signal: abortController.signal
+ };
+ if (method === "TRACE") {
+ init.method = "GET";
+ const req = new Request2(url, init);
+ Object.defineProperty(req, "method", {
+ get() {
+ return "TRACE";
+ }
+ });
+ return req;
+ }
+ if (!(method === "GET" || method === "HEAD")) {
+ if ("rawBody" in incoming && incoming.rawBody instanceof Buffer) {
+ init.body = new ReadableStream({
+ start(controller) {
+ controller.enqueue(incoming.rawBody);
+ controller.close();
+ }
+ });
+ } else {
+ init.body = import_node_stream.Readable.toWeb(incoming);
+ }
+ }
+ return new Request2(url, init);
+ };
+ var getRequestCache = Symbol("getRequestCache");
+ var requestCache = Symbol("requestCache");
+ var incomingKey = Symbol("incomingKey");
+ var urlKey = Symbol("urlKey");
+ var abortControllerKey = Symbol("abortControllerKey");
+ var getAbortController = Symbol("getAbortController");
+ var requestPrototype = {
+ get method() {
+ return this[incomingKey].method || "GET";
+ },
+ get url() {
+ return this[urlKey];
+ },
+ [getAbortController]() {
+ this[getRequestCache]();
+ return this[abortControllerKey];
+ },
+ [getRequestCache]() {
+ this[abortControllerKey] ||= new AbortController();
+ return this[requestCache] ||= newRequestFromIncoming(
+ this.method,
+ this[urlKey],
+ this[incomingKey],
+ this[abortControllerKey]
+ );
+ }
+ };
+ [
+ "body",
+ "bodyUsed",
+ "cache",
+ "credentials",
+ "destination",
+ "headers",
+ "integrity",
+ "mode",
+ "redirect",
+ "referrer",
+ "referrerPolicy",
+ "signal",
+ "keepalive"
+ ].forEach((k) => {
+ Object.defineProperty(requestPrototype, k, {
+ get() {
+ return this[getRequestCache]()[k];
+ }
+ });
+ });
+ ["arrayBuffer", "blob", "clone", "formData", "json", "text"].forEach((k) => {
+ Object.defineProperty(requestPrototype, k, {
+ value: function() {
+ return this[getRequestCache]()[k]();
+ }
+ });
+ });
+ Object.setPrototypeOf(requestPrototype, Request2.prototype);
+ var newRequest = (incoming, defaultHostname) => {
+ const req = Object.create(requestPrototype);
+ req[incomingKey] = incoming;
+ const incomingUrl = incoming.url || "";
+ if (incomingUrl[0] !== "/" && // short-circuit for performance. most requests are relative URL.
+ (incomingUrl.startsWith("http://") || incomingUrl.startsWith("https://"))) {
+ if (incoming instanceof import_node_http2.Http2ServerRequest) {
+ throw new RequestError("Absolute URL for :path is not allowed in HTTP/2");
+ }
+ try {
+ const url2 = new URL(incomingUrl);
+ req[urlKey] = url2.href;
+ } catch (e) {
+ throw new RequestError("Invalid absolute URL", { cause: e });
+ }
+ return req;
+ }
+ const host = (incoming instanceof import_node_http2.Http2ServerRequest ? incoming.authority : incoming.headers.host) || defaultHostname;
+ if (!host) {
+ throw new RequestError("Missing host header");
+ }
+ let scheme;
+ if (incoming instanceof import_node_http2.Http2ServerRequest) {
+ scheme = incoming.scheme;
+ if (!(scheme === "http" || scheme === "https")) {
+ throw new RequestError("Unsupported scheme");
+ }
+ } else {
+ scheme = incoming.socket && incoming.socket.encrypted ? "https" : "http";
+ }
+ const url = new URL(`${scheme}://${host}${incomingUrl}`);
+ if (url.hostname.length !== host.length && url.hostname !== host.replace(/:\d+$/, "")) {
+ throw new RequestError("Invalid host header");
+ }
+ req[urlKey] = url.href;
+ return req;
+ };
+ var responseCache = Symbol("responseCache");
+ var getResponseCache = Symbol("getResponseCache");
+ var cacheKey = Symbol("cache");
+ var GlobalResponse = global.Response;
+ var Response2 = class _Response {
+ #body;
+ #init;
+ [getResponseCache]() {
+ delete this[cacheKey];
+ return this[responseCache] ||= new GlobalResponse(this.#body, this.#init);
+ }
+ constructor(body, init) {
+ let headers;
+ this.#body = body;
+ if (init instanceof _Response) {
+ const cachedGlobalResponse = init[responseCache];
+ if (cachedGlobalResponse) {
+ this.#init = cachedGlobalResponse;
+ this[getResponseCache]();
+ return;
+ } else {
+ this.#init = init.#init;
+ headers = new Headers(init.#init.headers);
+ }
+ } else {
+ this.#init = init;
+ }
+ if (typeof body === "string" || typeof body?.getReader !== "undefined" || body instanceof Blob || body instanceof Uint8Array) {
+ headers ||= init?.headers || { "content-type": "text/plain; charset=UTF-8" };
+ this[cacheKey] = [init?.status || 200, body, headers];
+ }
+ }
+ get headers() {
+ const cache = this[cacheKey];
+ if (cache) {
+ if (!(cache[2] instanceof Headers)) {
+ cache[2] = new Headers(cache[2]);
+ }
+ return cache[2];
+ }
+ return this[getResponseCache]().headers;
+ }
+ get status() {
+ return this[cacheKey]?.[0] ?? this[getResponseCache]().status;
+ }
+ get ok() {
+ const status = this.status;
+ return status >= 200 && status < 300;
+ }
+ };
+ ["body", "bodyUsed", "redirected", "statusText", "trailers", "type", "url"].forEach((k) => {
+ Object.defineProperty(Response2.prototype, k, {
+ get() {
+ return this[getResponseCache]()[k];
+ }
+ });
+ });
+ ["arrayBuffer", "blob", "clone", "formData", "json", "text"].forEach((k) => {
+ Object.defineProperty(Response2.prototype, k, {
+ value: function() {
+ return this[getResponseCache]()[k]();
+ }
+ });
+ });
+ Object.setPrototypeOf(Response2, GlobalResponse);
+ Object.setPrototypeOf(Response2.prototype, GlobalResponse.prototype);
+ function writeFromReadableStream(stream, writable) {
+ if (stream.locked) {
+ throw new TypeError("ReadableStream is locked.");
+ } else if (writable.destroyed) {
+ stream.cancel();
+ return;
+ }
+ const reader = stream.getReader();
+ writable.on("close", cancel);
+ writable.on("error", cancel);
+ reader.read().then(flow, cancel);
+ return reader.closed.finally(() => {
+ writable.off("close", cancel);
+ writable.off("error", cancel);
+ });
+ function cancel(error) {
+ reader.cancel(error).catch(() => {
+ });
+ if (error) {
+ writable.destroy(error);
+ }
+ }
+ function onDrain() {
+ reader.read().then(flow, cancel);
+ }
+ function flow({ done, value }) {
+ try {
+ if (done) {
+ writable.end();
+ } else if (!writable.write(value)) {
+ writable.once("drain", onDrain);
+ } else {
+ return reader.read().then(flow, cancel);
+ }
+ } catch (e) {
+ cancel(e);
+ }
+ }
+ }
+ var buildOutgoingHttpHeaders = (headers) => {
+ const res = {};
+ if (!(headers instanceof Headers)) {
+ headers = new Headers(headers ?? void 0);
+ }
+ const cookies = [];
+ for (const [k, v] of headers) {
+ if (k === "set-cookie") {
+ cookies.push(v);
+ } else {
+ res[k] = v;
+ }
+ }
+ if (cookies.length > 0) {
+ res["set-cookie"] = cookies;
+ }
+ res["content-type"] ??= "text/plain; charset=UTF-8";
+ return res;
+ };
+ var X_ALREADY_SENT = "x-hono-already-sent";
+ var import_node_crypto = __toESM2(require("crypto"));
+ var webFetch = global.fetch;
+ if (typeof global.crypto === "undefined") {
+ global.crypto = import_node_crypto.default;
+ }
+ global.fetch = (info, init) => {
+ init = {
+ // Disable compression handling so people can return the result of a fetch
+ // directly in the loader without messing with the Content-Encoding header.
+ compress: false,
+ ...init
+ };
+ return webFetch(info, init);
+ };
+ var regBuffer = /^no$/i;
+ var regContentType = /^(application\/json\b|text\/(?!event-stream\b))/i;
+ var handleRequestError = () => new Response(null, {
+ status: 400
+ });
+ var handleFetchError = (e) => new Response(null, {
+ status: e instanceof Error && (e.name === "TimeoutError" || e.constructor.name === "TimeoutError") ? 504 : 500
+ });
+ var handleResponseError = (e, outgoing) => {
+ const err = e instanceof Error ? e : new Error("unknown error", { cause: e });
+ if (err.code === "ERR_STREAM_PREMATURE_CLOSE") {
+ console.info("The user aborted a request.");
+ } else {
+ console.error(e);
+ if (!outgoing.headersSent) {
+ outgoing.writeHead(500, { "Content-Type": "text/plain" });
+ }
+ outgoing.end(`Error: ${err.message}`);
+ outgoing.destroy(err);
+ }
+ };
+ var flushHeaders = (outgoing) => {
+ if ("flushHeaders" in outgoing && outgoing.writable) {
+ outgoing.flushHeaders();
+ }
+ };
+ var responseViaCache = async (res, outgoing) => {
+ let [status, body, header] = res[cacheKey];
+ if (header instanceof Headers) {
+ header = buildOutgoingHttpHeaders(header);
+ }
+ if (typeof body === "string") {
+ header["Content-Length"] = Buffer.byteLength(body);
+ } else if (body instanceof Uint8Array) {
+ header["Content-Length"] = body.byteLength;
+ } else if (body instanceof Blob) {
+ header["Content-Length"] = body.size;
+ }
+ outgoing.writeHead(status, header);
+ if (typeof body === "string" || body instanceof Uint8Array) {
+ outgoing.end(body);
+ } else if (body instanceof Blob) {
+ outgoing.end(new Uint8Array(await body.arrayBuffer()));
+ } else {
+ flushHeaders(outgoing);
+ return writeFromReadableStream(body, outgoing)?.catch(
+ (e) => handleResponseError(e, outgoing)
+ );
+ }
+ };
+ var responseViaResponseObject = async (res, outgoing, options = {}) => {
+ if (res instanceof Promise) {
+ if (options.errorHandler) {
+ try {
+ res = await res;
+ } catch (err) {
+ const errRes = await options.errorHandler(err);
+ if (!errRes) {
+ return;
+ }
+ res = errRes;
+ }
+ } else {
+ res = await res.catch(handleFetchError);
+ }
+ }
+ if (cacheKey in res) {
+ return responseViaCache(res, outgoing);
+ }
+ const resHeaderRecord = buildOutgoingHttpHeaders(res.headers);
+ if (res.body) {
+ const {
+ "transfer-encoding": transferEncoding,
+ "content-encoding": contentEncoding,
+ "content-length": contentLength,
+ "x-accel-buffering": accelBuffering,
+ "content-type": contentType
+ } = resHeaderRecord;
+ if (transferEncoding || contentEncoding || contentLength || // nginx buffering variant
+ accelBuffering && regBuffer.test(accelBuffering) || !regContentType.test(contentType)) {
+ outgoing.writeHead(res.status, resHeaderRecord);
+ flushHeaders(outgoing);
+ await writeFromReadableStream(res.body, outgoing);
+ } else {
+ const buffer = await res.arrayBuffer();
+ resHeaderRecord["content-length"] = buffer.byteLength;
+ outgoing.writeHead(res.status, resHeaderRecord);
+ outgoing.end(new Uint8Array(buffer));
+ }
+ } else if (resHeaderRecord[X_ALREADY_SENT]) {
+ } else {
+ outgoing.writeHead(res.status, resHeaderRecord);
+ outgoing.end();
+ }
+ };
+ var getRequestListener = (fetchCallback, options = {}) => {
+ if (options.overrideGlobalObjects !== false && global.Request !== Request2) {
+ Object.defineProperty(global, "Request", {
+ value: Request2
+ });
+ Object.defineProperty(global, "Response", {
+ value: Response2
+ });
+ }
+ return async (incoming, outgoing) => {
+ let res, req;
+ try {
+ req = newRequest(incoming, options.hostname);
+ outgoing.on("close", () => {
+ const abortController = req[abortControllerKey];
+ if (!abortController) {
+ return;
+ }
+ if (incoming.errored) {
+ req[abortControllerKey].abort(incoming.errored.toString());
+ } else if (!outgoing.writableFinished) {
+ req[abortControllerKey].abort("Client connection prematurely closed.");
+ }
+ });
+ res = fetchCallback(req, { incoming, outgoing });
+ if (cacheKey in res) {
+ return responseViaCache(res, outgoing);
+ }
+ } catch (e) {
+ if (!res) {
+ if (options.errorHandler) {
+ res = await options.errorHandler(req ? e : toRequestError(e));
+ if (!res) {
+ return;
+ }
+ } else if (!req) {
+ res = handleRequestError();
+ } else {
+ res = handleFetchError(e);
+ }
+ } else {
+ return handleResponseError(e, outgoing);
+ }
+ }
+ try {
+ return await responseViaResponseObject(res, outgoing, options);
+ } catch (e) {
+ return handleResponseError(e, outgoing);
+ }
+ };
+ };
+ var createAdaptorServer = (options) => {
+ const fetchCallback = options.fetch;
+ const requestListener = getRequestListener(fetchCallback, {
+ hostname: options.hostname,
+ overrideGlobalObjects: options.overrideGlobalObjects
+ });
+ const createServer = options.createServer || import_node_http.createServer;
+ const server = createServer(options.serverOptions || {}, requestListener);
+ return server;
+ };
+ var serve = (options, listeningListener) => {
+ const server = createAdaptorServer(options);
+ server.listen(options?.port ?? 3e3, options.hostname, () => {
+ const serverInfo = server.address();
+ listeningListener && listeningListener(serverInfo);
+ });
+ return server;
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/compose.js
+var require_compose = __commonJS({
+ "../node_modules/hono/dist/cjs/compose.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var compose_exports = {};
+ __export(compose_exports, {
+ compose: () => compose
+ });
+ module2.exports = __toCommonJS(compose_exports);
+ var compose = (middleware, onError, onNotFound) => {
+ return (context, next) => {
+ let index = -1;
+ return dispatch(0);
+ async function dispatch(i) {
+ if (i <= index) {
+ throw new Error("next() called multiple times");
+ }
+ index = i;
+ let res;
+ let isError = false;
+ let handler;
+ if (middleware[i]) {
+ handler = middleware[i][0][0];
+ context.req.routeIndex = i;
+ } else {
+ handler = i === middleware.length && next || void 0;
+ }
+ if (handler) {
+ try {
+ res = await handler(context, () => dispatch(i + 1));
+ } catch (err) {
+ if (err instanceof Error && onError) {
+ context.error = err;
+ res = await onError(err, context);
+ isError = true;
+ } else {
+ throw err;
+ }
+ }
+ } else {
+ if (context.finalized === false && onNotFound) {
+ res = await onNotFound(context);
+ }
+ }
+ if (res && (context.finalized === false || isError)) {
+ context.res = res;
+ }
+ return context;
+ }
+ };
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/request/constants.js
+var require_constants = __commonJS({
+ "../node_modules/hono/dist/cjs/request/constants.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var constants_exports = {};
+ __export(constants_exports, {
+ GET_MATCH_RESULT: () => GET_MATCH_RESULT
+ });
+ module2.exports = __toCommonJS(constants_exports);
+ var GET_MATCH_RESULT = Symbol();
+ }
+});
+
+// ../node_modules/hono/dist/cjs/utils/body.js
+var require_body2 = __commonJS({
+ "../node_modules/hono/dist/cjs/utils/body.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var body_exports = {};
+ __export(body_exports, {
+ parseBody: () => parseBody
+ });
+ module2.exports = __toCommonJS(body_exports);
+ var import_request = require_request2();
+ var parseBody = async (request, options = /* @__PURE__ */ Object.create(null)) => {
+ const { all = false, dot = false } = options;
+ const headers = request instanceof import_request.HonoRequest ? request.raw.headers : request.headers;
+ const contentType = headers.get("Content-Type");
+ if (contentType?.startsWith("multipart/form-data") || contentType?.startsWith("application/x-www-form-urlencoded")) {
+ return parseFormData(request, { all, dot });
+ }
+ return {};
+ };
+ async function parseFormData(request, options) {
+ const formData = await request.formData();
+ if (formData) {
+ return convertFormDataToBodyData(formData, options);
+ }
+ return {};
+ }
+ function convertFormDataToBodyData(formData, options) {
+ const form = /* @__PURE__ */ Object.create(null);
+ formData.forEach((value, key) => {
+ const shouldParseAllValues = options.all || key.endsWith("[]");
+ if (!shouldParseAllValues) {
+ form[key] = value;
+ } else {
+ handleParsingAllValues(form, key, value);
+ }
+ });
+ if (options.dot) {
+ Object.entries(form).forEach(([key, value]) => {
+ const shouldParseDotValues = key.includes(".");
+ if (shouldParseDotValues) {
+ handleParsingNestedValues(form, key, value);
+ delete form[key];
+ }
+ });
+ }
+ return form;
+ }
+ var handleParsingAllValues = (form, key, value) => {
+ if (form[key] !== void 0) {
+ if (Array.isArray(form[key])) {
+ ;
+ form[key].push(value);
+ } else {
+ form[key] = [form[key], value];
+ }
+ } else {
+ if (!key.endsWith("[]")) {
+ form[key] = value;
+ } else {
+ form[key] = [value];
+ }
+ }
+ };
+ var handleParsingNestedValues = (form, key, value) => {
+ let nestedForm = form;
+ const keys = key.split(".");
+ keys.forEach((key2, index) => {
+ if (index === keys.length - 1) {
+ nestedForm[key2] = value;
+ } else {
+ if (!nestedForm[key2] || typeof nestedForm[key2] !== "object" || Array.isArray(nestedForm[key2]) || nestedForm[key2] instanceof File) {
+ nestedForm[key2] = /* @__PURE__ */ Object.create(null);
+ }
+ nestedForm = nestedForm[key2];
+ }
+ });
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/utils/url.js
+var require_url = __commonJS({
+ "../node_modules/hono/dist/cjs/utils/url.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var url_exports = {};
+ __export(url_exports, {
+ checkOptionalParameter: () => checkOptionalParameter,
+ decodeURIComponent_: () => decodeURIComponent_,
+ getPath: () => getPath,
+ getPathNoStrict: () => getPathNoStrict,
+ getPattern: () => getPattern,
+ getQueryParam: () => getQueryParam,
+ getQueryParams: () => getQueryParams,
+ getQueryStrings: () => getQueryStrings,
+ mergePath: () => mergePath,
+ splitPath: () => splitPath,
+ splitRoutingPath: () => splitRoutingPath,
+ tryDecode: () => tryDecode
+ });
+ module2.exports = __toCommonJS(url_exports);
+ var splitPath = (path) => {
+ const paths = path.split("/");
+ if (paths[0] === "") {
+ paths.shift();
+ }
+ return paths;
+ };
+ var splitRoutingPath = (routePath) => {
+ const { groups, path } = extractGroupsFromPath(routePath);
+ const paths = splitPath(path);
+ return replaceGroupMarks(paths, groups);
+ };
+ var extractGroupsFromPath = (path) => {
+ const groups = [];
+ path = path.replace(/\{[^}]+\}/g, (match, index) => {
+ const mark = `@${index}`;
+ groups.push([mark, match]);
+ return mark;
+ });
+ return { groups, path };
+ };
+ var replaceGroupMarks = (paths, groups) => {
+ for (let i = groups.length - 1; i >= 0; i--) {
+ const [mark] = groups[i];
+ for (let j = paths.length - 1; j >= 0; j--) {
+ if (paths[j].includes(mark)) {
+ paths[j] = paths[j].replace(mark, groups[i][1]);
+ break;
+ }
+ }
+ }
+ return paths;
+ };
+ var patternCache = {};
+ var getPattern = (label, next) => {
+ if (label === "*") {
+ return "*";
+ }
+ const match = label.match(/^\:([^\{\}]+)(?:\{(.+)\})?$/);
+ if (match) {
+ const cacheKey = `${label}#${next}`;
+ if (!patternCache[cacheKey]) {
+ if (match[2]) {
+ patternCache[cacheKey] = next && next[0] !== ":" && next[0] !== "*" ? [cacheKey, match[1], new RegExp(`^${match[2]}(?=/${next})`)] : [label, match[1], new RegExp(`^${match[2]}$`)];
+ } else {
+ patternCache[cacheKey] = [label, match[1], true];
+ }
+ }
+ return patternCache[cacheKey];
+ }
+ return null;
+ };
+ var tryDecode = (str, decoder) => {
+ try {
+ return decoder(str);
+ } catch {
+ return str.replace(/(?:%[0-9A-Fa-f]{2})+/g, (match) => {
+ try {
+ return decoder(match);
+ } catch {
+ return match;
+ }
+ });
+ }
+ };
+ var tryDecodeURI = (str) => tryDecode(str, decodeURI);
+ var getPath = (request) => {
+ const url = request.url;
+ const start = url.indexOf(
+ "/",
+ url.charCodeAt(9) === 58 ? 13 : 8
+ );
+ let i = start;
+ for (; i < url.length; i++) {
+ const charCode = url.charCodeAt(i);
+ if (charCode === 37) {
+ const queryIndex = url.indexOf("?", i);
+ const path = url.slice(start, queryIndex === -1 ? void 0 : queryIndex);
+ return tryDecodeURI(path.includes("%25") ? path.replace(/%25/g, "%2525") : path);
+ } else if (charCode === 63) {
+ break;
+ }
+ }
+ return url.slice(start, i);
+ };
+ var getQueryStrings = (url) => {
+ const queryIndex = url.indexOf("?", 8);
+ return queryIndex === -1 ? "" : "?" + url.slice(queryIndex + 1);
+ };
+ var getPathNoStrict = (request) => {
+ const result = getPath(request);
+ return result.length > 1 && result.at(-1) === "/" ? result.slice(0, -1) : result;
+ };
+ var mergePath = (base, sub, ...rest) => {
+ if (rest.length) {
+ sub = mergePath(sub, ...rest);
+ }
+ return `${base?.[0] === "/" ? "" : "/"}${base}${sub === "/" ? "" : `${base?.at(-1) === "/" ? "" : "/"}${sub?.[0] === "/" ? sub.slice(1) : sub}`}`;
+ };
+ var checkOptionalParameter = (path) => {
+ if (path.charCodeAt(path.length - 1) !== 63 || !path.includes(":")) {
+ return null;
+ }
+ const segments = path.split("/");
+ const results = [];
+ let basePath = "";
+ segments.forEach((segment) => {
+ if (segment !== "" && !/\:/.test(segment)) {
+ basePath += "/" + segment;
+ } else if (/\:/.test(segment)) {
+ if (/\?/.test(segment)) {
+ if (results.length === 0 && basePath === "") {
+ results.push("/");
+ } else {
+ results.push(basePath);
+ }
+ const optionalSegment = segment.replace("?", "");
+ basePath += "/" + optionalSegment;
+ results.push(basePath);
+ } else {
+ basePath += "/" + segment;
+ }
+ }
+ });
+ return results.filter((v, i, a) => a.indexOf(v) === i);
+ };
+ var _decodeURI = (value) => {
+ if (!/[%+]/.test(value)) {
+ return value;
+ }
+ if (value.indexOf("+") !== -1) {
+ value = value.replace(/\+/g, " ");
+ }
+ return value.indexOf("%") !== -1 ? tryDecode(value, decodeURIComponent_) : value;
+ };
+ var _getQueryParam = (url, key, multiple) => {
+ let encoded;
+ if (!multiple && key && !/[%+]/.test(key)) {
+ let keyIndex2 = url.indexOf(`?${key}`, 8);
+ if (keyIndex2 === -1) {
+ keyIndex2 = url.indexOf(`&${key}`, 8);
+ }
+ while (keyIndex2 !== -1) {
+ const trailingKeyCode = url.charCodeAt(keyIndex2 + key.length + 1);
+ if (trailingKeyCode === 61) {
+ const valueIndex = keyIndex2 + key.length + 2;
+ const endIndex = url.indexOf("&", valueIndex);
+ return _decodeURI(url.slice(valueIndex, endIndex === -1 ? void 0 : endIndex));
+ } else if (trailingKeyCode == 38 || isNaN(trailingKeyCode)) {
+ return "";
+ }
+ keyIndex2 = url.indexOf(`&${key}`, keyIndex2 + 1);
+ }
+ encoded = /[%+]/.test(url);
+ if (!encoded) {
+ return void 0;
+ }
+ }
+ const results = {};
+ encoded ??= /[%+]/.test(url);
+ let keyIndex = url.indexOf("?", 8);
+ while (keyIndex !== -1) {
+ const nextKeyIndex = url.indexOf("&", keyIndex + 1);
+ let valueIndex = url.indexOf("=", keyIndex);
+ if (valueIndex > nextKeyIndex && nextKeyIndex !== -1) {
+ valueIndex = -1;
+ }
+ let name = url.slice(
+ keyIndex + 1,
+ valueIndex === -1 ? nextKeyIndex === -1 ? void 0 : nextKeyIndex : valueIndex
+ );
+ if (encoded) {
+ name = _decodeURI(name);
+ }
+ keyIndex = nextKeyIndex;
+ if (name === "") {
+ continue;
+ }
+ let value;
+ if (valueIndex === -1) {
+ value = "";
+ } else {
+ value = url.slice(valueIndex + 1, nextKeyIndex === -1 ? void 0 : nextKeyIndex);
+ if (encoded) {
+ value = _decodeURI(value);
+ }
+ }
+ if (multiple) {
+ if (!(results[name] && Array.isArray(results[name]))) {
+ results[name] = [];
+ }
+ ;
+ results[name].push(value);
+ } else {
+ results[name] ??= value;
+ }
+ }
+ return key ? results[key] : results;
+ };
+ var getQueryParam = _getQueryParam;
+ var getQueryParams = (url, key) => {
+ return _getQueryParam(url, key, true);
+ };
+ var decodeURIComponent_ = decodeURIComponent;
+ }
+});
+
+// ../node_modules/hono/dist/cjs/request.js
+var require_request2 = __commonJS({
+ "../node_modules/hono/dist/cjs/request.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var request_exports = {};
+ __export(request_exports, {
+ HonoRequest: () => HonoRequest
+ });
+ module2.exports = __toCommonJS(request_exports);
+ var import_constants = require_constants();
+ var import_body = require_body2();
+ var import_url = require_url();
+ var tryDecodeURIComponent = (str) => (0, import_url.tryDecode)(str, import_url.decodeURIComponent_);
+ var HonoRequest = class {
+ raw;
+ #validatedData;
+ #matchResult;
+ routeIndex = 0;
+ path;
+ bodyCache = {};
+ constructor(request, path = "/", matchResult = [[]]) {
+ this.raw = request;
+ this.path = path;
+ this.#matchResult = matchResult;
+ this.#validatedData = {};
+ }
+ param(key) {
+ return key ? this.#getDecodedParam(key) : this.#getAllDecodedParams();
+ }
+ #getDecodedParam(key) {
+ const paramKey = this.#matchResult[0][this.routeIndex][1][key];
+ const param = this.#getParamValue(paramKey);
+ return param ? /\%/.test(param) ? tryDecodeURIComponent(param) : param : void 0;
+ }
+ #getAllDecodedParams() {
+ const decoded = {};
+ const keys = Object.keys(this.#matchResult[0][this.routeIndex][1]);
+ for (const key of keys) {
+ const value = this.#getParamValue(this.#matchResult[0][this.routeIndex][1][key]);
+ if (value && typeof value === "string") {
+ decoded[key] = /\%/.test(value) ? tryDecodeURIComponent(value) : value;
+ }
+ }
+ return decoded;
+ }
+ #getParamValue(paramKey) {
+ return this.#matchResult[1] ? this.#matchResult[1][paramKey] : paramKey;
+ }
+ query(key) {
+ return (0, import_url.getQueryParam)(this.url, key);
+ }
+ queries(key) {
+ return (0, import_url.getQueryParams)(this.url, key);
+ }
+ header(name) {
+ if (name) {
+ return this.raw.headers.get(name) ?? void 0;
+ }
+ const headerData = {};
+ this.raw.headers.forEach((value, key) => {
+ headerData[key] = value;
+ });
+ return headerData;
+ }
+ async parseBody(options) {
+ return this.bodyCache.parsedBody ??= await (0, import_body.parseBody)(this, options);
+ }
+ #cachedBody = (key) => {
+ const { bodyCache, raw } = this;
+ const cachedBody = bodyCache[key];
+ if (cachedBody) {
+ return cachedBody;
+ }
+ const anyCachedKey = Object.keys(bodyCache)[0];
+ if (anyCachedKey) {
+ return bodyCache[anyCachedKey].then((body) => {
+ if (anyCachedKey === "json") {
+ body = JSON.stringify(body);
+ }
+ return new Response(body)[key]();
+ });
+ }
+ return bodyCache[key] = raw[key]();
+ };
+ json() {
+ return this.#cachedBody("text").then((text) => JSON.parse(text));
+ }
+ text() {
+ return this.#cachedBody("text");
+ }
+ arrayBuffer() {
+ return this.#cachedBody("arrayBuffer");
+ }
+ blob() {
+ return this.#cachedBody("blob");
+ }
+ formData() {
+ return this.#cachedBody("formData");
+ }
+ addValidatedData(target, data) {
+ this.#validatedData[target] = data;
+ }
+ valid(target) {
+ return this.#validatedData[target];
+ }
+ get url() {
+ return this.raw.url;
+ }
+ get method() {
+ return this.raw.method;
+ }
+ get [import_constants.GET_MATCH_RESULT]() {
+ return this.#matchResult;
+ }
+ get matchedRoutes() {
+ return this.#matchResult[0].map(([[, route]]) => route);
+ }
+ get routePath() {
+ return this.#matchResult[0].map(([[, route]]) => route)[this.routeIndex].path;
+ }
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/utils/html.js
+var require_html = __commonJS({
+ "../node_modules/hono/dist/cjs/utils/html.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var html_exports = {};
+ __export(html_exports, {
+ HtmlEscapedCallbackPhase: () => HtmlEscapedCallbackPhase,
+ escapeToBuffer: () => escapeToBuffer,
+ raw: () => raw,
+ resolveCallback: () => resolveCallback,
+ resolveCallbackSync: () => resolveCallbackSync,
+ stringBufferToString: () => stringBufferToString
+ });
+ module2.exports = __toCommonJS(html_exports);
+ var HtmlEscapedCallbackPhase = {
+ Stringify: 1,
+ BeforeStream: 2,
+ Stream: 3
+ };
+ var raw = (value, callbacks) => {
+ const escapedString = new String(value);
+ escapedString.isEscaped = true;
+ escapedString.callbacks = callbacks;
+ return escapedString;
+ };
+ var escapeRe = /[&<>'"]/;
+ var stringBufferToString = async (buffer, callbacks) => {
+ let str = "";
+ callbacks ||= [];
+ const resolvedBuffer = await Promise.all(buffer);
+ for (let i = resolvedBuffer.length - 1; ; i--) {
+ str += resolvedBuffer[i];
+ i--;
+ if (i < 0) {
+ break;
+ }
+ let r = resolvedBuffer[i];
+ if (typeof r === "object") {
+ callbacks.push(...r.callbacks || []);
+ }
+ const isEscaped = r.isEscaped;
+ r = await (typeof r === "object" ? r.toString() : r);
+ if (typeof r === "object") {
+ callbacks.push(...r.callbacks || []);
+ }
+ if (r.isEscaped ?? isEscaped) {
+ str += r;
+ } else {
+ const buf = [str];
+ escapeToBuffer(r, buf);
+ str = buf[0];
+ }
+ }
+ return raw(str, callbacks);
+ };
+ var escapeToBuffer = (str, buffer) => {
+ const match = str.search(escapeRe);
+ if (match === -1) {
+ buffer[0] += str;
+ return;
+ }
+ let escape;
+ let index;
+ let lastIndex = 0;
+ for (index = match; index < str.length; index++) {
+ switch (str.charCodeAt(index)) {
+ case 34:
+ escape = "&quot;";
+ break;
+ case 39:
+ escape = "&#39;";
+ break;
+ case 38:
+ escape = "&amp;";
+ break;
+ case 60:
+ escape = "&lt;";
+ break;
+ case 62:
+ escape = "&gt;";
+ break;
+ default:
+ continue;
+ }
+ buffer[0] += str.substring(lastIndex, index) + escape;
+ lastIndex = index + 1;
+ }
+ buffer[0] += str.substring(lastIndex, index);
+ };
+ var resolveCallbackSync = (str) => {
+ const callbacks = str.callbacks;
+ if (!callbacks?.length) {
+ return str;
+ }
+ const buffer = [str];
+ const context = {};
+ callbacks.forEach((c) => c({ phase: HtmlEscapedCallbackPhase.Stringify, buffer, context }));
+ return buffer[0];
+ };
+ var resolveCallback = async (str, phase, preserveCallbacks, context, buffer) => {
+ if (typeof str === "object" && !(str instanceof String)) {
+ if (!(str instanceof Promise)) {
+ str = str.toString();
+ }
+ if (str instanceof Promise) {
+ str = await str;
+ }
+ }
+ const callbacks = str.callbacks;
+ if (!callbacks?.length) {
+ return Promise.resolve(str);
+ }
+ if (buffer) {
+ buffer[0] += str;
+ } else {
+ buffer = [str];
+ }
+ const resStr = Promise.all(callbacks.map((c) => c({ phase, buffer, context }))).then(
+ (res) => Promise.all(
+ res.filter(Boolean).map((str2) => resolveCallback(str2, phase, false, context, buffer))
+ ).then(() => buffer[0])
+ );
+ if (preserveCallbacks) {
+ return raw(await resStr, callbacks);
+ } else {
+ return resStr;
+ }
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/context.js
+var require_context = __commonJS({
+ "../node_modules/hono/dist/cjs/context.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var context_exports = {};
+ __export(context_exports, {
+ Context: () => Context,
+ TEXT_PLAIN: () => TEXT_PLAIN
+ });
+ module2.exports = __toCommonJS(context_exports);
+ var import_request = require_request2();
+ var import_html = require_html();
+ var TEXT_PLAIN = "text/plain; charset=UTF-8";
+ var setDefaultContentType = (contentType, headers) => {
+ return {
+ "Content-Type": contentType,
+ ...headers
+ };
+ };
+ var Context = class {
+ #rawRequest;
+ #req;
+ env = {};
+ #var;
+ finalized = false;
+ error;
+ #status;
+ #executionCtx;
+ #res;
+ #layout;
+ #renderer;
+ #notFoundHandler;
+ #preparedHeaders;
+ #matchResult;
+ #path;
+ constructor(req, options) {
+ this.#rawRequest = req;
+ if (options) {
+ this.#executionCtx = options.executionCtx;
+ this.env = options.env;
+ this.#notFoundHandler = options.notFoundHandler;
+ this.#path = options.path;
+ this.#matchResult = options.matchResult;
+ }
+ }
+ get req() {
+ this.#req ??= new import_request.HonoRequest(this.#rawRequest, this.#path, this.#matchResult);
+ return this.#req;
+ }
+ get event() {
+ if (this.#executionCtx && "respondWith" in this.#executionCtx) {
+ return this.#executionCtx;
+ } else {
+ throw Error("This context has no FetchEvent");
+ }
+ }
+ get executionCtx() {
+ if (this.#executionCtx) {
+ return this.#executionCtx;
+ } else {
+ throw Error("This context has no ExecutionContext");
+ }
+ }
+ get res() {
+ return this.#res ||= new Response(null, {
+ headers: this.#preparedHeaders ??= new Headers()
+ });
+ }
+ set res(_res) {
+ if (this.#res && _res) {
+ _res = new Response(_res.body, _res);
+ for (const [k, v] of this.#res.headers.entries()) {
+ if (k === "content-type") {
+ continue;
+ }
+ if (k === "set-cookie") {
+ const cookies = this.#res.headers.getSetCookie();
+ _res.headers.delete("set-cookie");
+ for (const cookie of cookies) {
+ _res.headers.append("set-cookie", cookie);
+ }
+ } else {
+ _res.headers.set(k, v);
+ }
+ }
+ }
+ this.#res = _res;
+ this.finalized = true;
+ }
+ render = (...args) => {
+ this.#renderer ??= (content) => this.html(content);
+ return this.#renderer(...args);
+ };
+ setLayout = (layout) => this.#layout = layout;
+ getLayout = () => this.#layout;
+ setRenderer = (renderer) => {
+ this.#renderer = renderer;
+ };
+ header = (name, value, options) => {
+ if (this.finalized) {
+ this.#res = new Response(this.#res.body, this.#res);
+ }
+ const headers = this.#res ? this.#res.headers : this.#preparedHeaders ??= new Headers();
+ if (value === void 0) {
+ headers.delete(name);
+ } else if (options?.append) {
+ headers.append(name, value);
+ } else {
+ headers.set(name, value);
+ }
+ };
+ status = (status) => {
+ this.#status = status;
+ };
+ set = (key, value) => {
+ this.#var ??= /* @__PURE__ */ new Map();
+ this.#var.set(key, value);
+ };
+ get = (key) => {
+ return this.#var ? this.#var.get(key) : void 0;
+ };
+ get var() {
+ if (!this.#var) {
+ return {};
+ }
+ return Object.fromEntries(this.#var);
+ }
+ #newResponse(data, arg, headers) {
+ const responseHeaders = this.#res ? new Headers(this.#res.headers) : this.#preparedHeaders ?? new Headers();
+ if (typeof arg === "object" && "headers" in arg) {
+ const argHeaders = arg.headers instanceof Headers ? arg.headers : new Headers(arg.headers);
+ for (const [key, value] of argHeaders) {
+ if (key.toLowerCase() === "set-cookie") {
+ responseHeaders.append(key, value);
+ } else {
+ responseHeaders.set(key, value);
+ }
+ }
+ }
+ if (headers) {
+ for (const [k, v] of Object.entries(headers)) {
+ if (typeof v === "string") {
+ responseHeaders.set(k, v);
+ } else {
+ responseHeaders.delete(k);
+ for (const v2 of v) {
+ responseHeaders.append(k, v2);
+ }
+ }
+ }
+ }
+ const status = typeof arg === "number" ? arg : arg?.status ?? this.#status;
+ return new Response(data, { status, headers: responseHeaders });
+ }
+ newResponse = (...args) => this.#newResponse(...args);
+ body = (data, arg, headers) => this.#newResponse(data, arg, headers);
+ text = (text, arg, headers) => {
+ return !this.#preparedHeaders && !this.#status && !arg && !headers && !this.finalized ? new Response(text) : this.#newResponse(
+ text,
+ arg,
+ setDefaultContentType(TEXT_PLAIN, headers)
+ );
+ };
+ json = (object, arg, headers) => {
+ return this.#newResponse(
+ JSON.stringify(object),
+ arg,
+ setDefaultContentType("application/json", headers)
+ );
+ };
+ html = (html, arg, headers) => {
+ const res = (html2) => this.#newResponse(html2, arg, setDefaultContentType("text/html; charset=UTF-8", headers));
+ return typeof html === "object" ? (0, import_html.resolveCallback)(html, import_html.HtmlEscapedCallbackPhase.Stringify, false, {}).then(res) : res(html);
+ };
+ redirect = (location, status) => {
+ const locationString = String(location);
+ this.header(
+ "Location",
+ !/[^\x00-\xFF]/.test(locationString) ? locationString : encodeURI(locationString)
+ );
+ return this.newResponse(null, status ?? 302);
+ };
+ notFound = () => {
+ this.#notFoundHandler ??= () => new Response();
+ return this.#notFoundHandler(this);
+ };
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/router.js
+var require_router = __commonJS({
+ "../node_modules/hono/dist/cjs/router.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var router_exports = {};
+ __export(router_exports, {
+ MESSAGE_MATCHER_IS_ALREADY_BUILT: () => MESSAGE_MATCHER_IS_ALREADY_BUILT,
+ METHODS: () => METHODS,
+ METHOD_NAME_ALL: () => METHOD_NAME_ALL,
+ METHOD_NAME_ALL_LOWERCASE: () => METHOD_NAME_ALL_LOWERCASE,
+ UnsupportedPathError: () => UnsupportedPathError
+ });
+ module2.exports = __toCommonJS(router_exports);
+ var METHOD_NAME_ALL = "ALL";
+ var METHOD_NAME_ALL_LOWERCASE = "all";
+ var METHODS = ["get", "post", "put", "delete", "options", "patch"];
+ var MESSAGE_MATCHER_IS_ALREADY_BUILT = "Can not add a route since the matcher is already built.";
+ var UnsupportedPathError = class extends Error {
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/utils/constants.js
+var require_constants2 = __commonJS({
+ "../node_modules/hono/dist/cjs/utils/constants.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var constants_exports = {};
+ __export(constants_exports, {
+ COMPOSED_HANDLER: () => COMPOSED_HANDLER
+ });
+ module2.exports = __toCommonJS(constants_exports);
+ var COMPOSED_HANDLER = "__COMPOSED_HANDLER";
+ }
+});
+
+// ../node_modules/hono/dist/cjs/hono-base.js
+var require_hono_base = __commonJS({
+ "../node_modules/hono/dist/cjs/hono-base.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var hono_base_exports = {};
+ __export(hono_base_exports, {
+ HonoBase: () => Hono2
+ });
+ module2.exports = __toCommonJS(hono_base_exports);
+ var import_compose = require_compose();
+ var import_context = require_context();
+ var import_router = require_router();
+ var import_constants = require_constants2();
+ var import_url = require_url();
+ var notFoundHandler = (c) => {
+ return c.text("404 Not Found", 404);
+ };
+ var errorHandler = (err, c) => {
+ if ("getResponse" in err) {
+ const res = err.getResponse();
+ return c.newResponse(res.body, res);
+ }
+ console.error(err);
+ return c.text("Internal Server Error", 500);
+ };
+ var Hono2 = class _Hono {
+ get;
+ post;
+ put;
+ delete;
+ options;
+ patch;
+ all;
+ on;
+ use;
+ router;
+ getPath;
+ _basePath = "/";
+ #path = "/";
+ routes = [];
+ constructor(options = {}) {
+ const allMethods = [...import_router.METHODS, import_router.METHOD_NAME_ALL_LOWERCASE];
+ allMethods.forEach((method) => {
+ this[method] = (args1, ...args) => {
+ if (typeof args1 === "string") {
+ this.#path = args1;
+ } else {
+ this.#addRoute(method, this.#path, args1);
+ }
+ args.forEach((handler) => {
+ this.#addRoute(method, this.#path, handler);
+ });
+ return this;
+ };
+ });
+ this.on = (method, path, ...handlers) => {
+ for (const p of [path].flat()) {
+ this.#path = p;
+ for (const m of [method].flat()) {
+ handlers.map((handler) => {
+ this.#addRoute(m.toUpperCase(), this.#path, handler);
+ });
+ }
+ }
+ return this;
+ };
+ this.use = (arg1, ...handlers) => {
+ if (typeof arg1 === "string") {
+ this.#path = arg1;
+ } else {
+ this.#path = "*";
+ handlers.unshift(arg1);
+ }
+ handlers.forEach((handler) => {
+ this.#addRoute(import_router.METHOD_NAME_ALL, this.#path, handler);
+ });
+ return this;
+ };
+ const { strict, ...optionsWithoutStrict } = options;
+ Object.assign(this, optionsWithoutStrict);
+ this.getPath = strict ?? true ? options.getPath ?? import_url.getPath : import_url.getPathNoStrict;
+ }
+ #clone() {
+ const clone = new _Hono({
+ router: this.router,
+ getPath: this.getPath
+ });
+ clone.errorHandler = this.errorHandler;
+ clone.#notFoundHandler = this.#notFoundHandler;
+ clone.routes = this.routes;
+ return clone;
+ }
+ #notFoundHandler = notFoundHandler;
+ errorHandler = errorHandler;
+ route(path, app) {
+ const subApp = this.basePath(path);
+ app.routes.map((r) => {
+ let handler;
+ if (app.errorHandler === errorHandler) {
+ handler = r.handler;
+ } else {
+ handler = async (c, next) => (await (0, import_compose.compose)([], app.errorHandler)(c, () => r.handler(c, next))).res;
+ handler[import_constants.COMPOSED_HANDLER] = r.handler;
+ }
+ subApp.#addRoute(r.method, r.path, handler);
+ });
+ return this;
+ }
+ basePath(path) {
+ const subApp = this.#clone();
+ subApp._basePath = (0, import_url.mergePath)(this._basePath, path);
+ return subApp;
+ }
+ onError = (handler) => {
+ this.errorHandler = handler;
+ return this;
+ };
+ notFound = (handler) => {
+ this.#notFoundHandler = handler;
+ return this;
+ };
+ mount(path, applicationHandler, options) {
+ let replaceRequest;
+ let optionHandler;
+ if (options) {
+ if (typeof options === "function") {
+ optionHandler = options;
+ } else {
+ optionHandler = options.optionHandler;
+ if (options.replaceRequest === false) {
+ replaceRequest = (request) => request;
+ } else {
+ replaceRequest = options.replaceRequest;
+ }
+ }
+ }
+ const getOptions = optionHandler ? (c) => {
+ const options2 = optionHandler(c);
+ return Array.isArray(options2) ? options2 : [options2];
+ } : (c) => {
+ let executionContext = void 0;
+ try {
+ executionContext = c.executionCtx;
+ } catch {
+ }
+ return [c.env, executionContext];
+ };
+ replaceRequest ||= (() => {
+ const mergedPath = (0, import_url.mergePath)(this._basePath, path);
+ const pathPrefixLength = mergedPath === "/" ? 0 : mergedPath.length;
+ return (request) => {
+ const url = new URL(request.url);
+ url.pathname = url.pathname.slice(pathPrefixLength) || "/";
+ return new Request(url, request);
+ };
+ })();
+ const handler = async (c, next) => {
+ const res = await applicationHandler(replaceRequest(c.req.raw), ...getOptions(c));
+ if (res) {
+ return res;
+ }
+ await next();
+ };
+ this.#addRoute(import_router.METHOD_NAME_ALL, (0, import_url.mergePath)(path, "*"), handler);
+ return this;
+ }
+ #addRoute(method, path, handler) {
+ method = method.toUpperCase();
+ path = (0, import_url.mergePath)(this._basePath, path);
+ const r = { basePath: this._basePath, path, method, handler };
+ this.router.add(method, path, [handler, r]);
+ this.routes.push(r);
+ }
+ #handleError(err, c) {
+ if (err instanceof Error) {
+ return this.errorHandler(err, c);
+ }
+ throw err;
+ }
+ #dispatch(request, executionCtx, env, method) {
+ if (method === "HEAD") {
+ return (async () => new Response(null, await this.#dispatch(request, executionCtx, env, "GET")))();
+ }
+ const path = this.getPath(request, { env });
+ const matchResult = this.router.match(method, path);
+ const c = new import_context.Context(request, {
+ path,
+ matchResult,
+ env,
+ executionCtx,
+ notFoundHandler: this.#notFoundHandler
+ });
+ if (matchResult[0].length === 1) {
+ let res;
+ try {
+ res = matchResult[0][0][0][0](c, async () => {
+ c.res = await this.#notFoundHandler(c);
+ });
+ } catch (err) {
+ return this.#handleError(err, c);
+ }
+ return res instanceof Promise ? res.then(
+ (resolved) => resolved || (c.finalized ? c.res : this.#notFoundHandler(c))
+ ).catch((err) => this.#handleError(err, c)) : res ?? this.#notFoundHandler(c);
+ }
+ const composed = (0, import_compose.compose)(matchResult[0], this.errorHandler, this.#notFoundHandler);
+ return (async () => {
+ try {
+ const context = await composed(c);
+ if (!context.finalized) {
+ throw new Error(
+ "Context is not finalized. Did you forget to return a Response object or `await next()`?"
+ );
+ }
+ return context.res;
+ } catch (err) {
+ return this.#handleError(err, c);
+ }
+ })();
+ }
+ fetch = (request, ...rest) => {
+ return this.#dispatch(request, rest[1], rest[0], request.method);
+ };
+ request = (input, requestInit, Env, executionCtx) => {
+ if (input instanceof Request) {
+ return this.fetch(requestInit ? new Request(input, requestInit) : input, Env, executionCtx);
+ }
+ input = input.toString();
+ return this.fetch(
+ new Request(
+ /^https?:\/\//.test(input) ? input : `http://localhost${(0, import_url.mergePath)("/", input)}`,
+ requestInit
+ ),
+ Env,
+ executionCtx
+ );
+ };
+ fire = () => {
+ addEventListener("fetch", (event) => {
+ event.respondWith(this.#dispatch(event.request, event, void 0, event.request.method));
+ });
+ };
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/router/reg-exp-router/node.js
+var require_node = __commonJS({
+ "../node_modules/hono/dist/cjs/router/reg-exp-router/node.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var node_exports = {};
+ __export(node_exports, {
+ Node: () => Node,
+ PATH_ERROR: () => PATH_ERROR
+ });
+ module2.exports = __toCommonJS(node_exports);
+ var LABEL_REG_EXP_STR = "[^/]+";
+ var ONLY_WILDCARD_REG_EXP_STR = ".*";
+ var TAIL_WILDCARD_REG_EXP_STR = "(?:|/.*)";
+ var PATH_ERROR = Symbol();
+ var regExpMetaChars = new Set(".\\+*[^]$()");
+ function compareKey(a, b) {
+ if (a.length === 1) {
+ return b.length === 1 ? a < b ? -1 : 1 : -1;
+ }
+ if (b.length === 1) {
+ return 1;
+ }
+ if (a === ONLY_WILDCARD_REG_EXP_STR || a === TAIL_WILDCARD_REG_EXP_STR) {
+ return 1;
+ } else if (b === ONLY_WILDCARD_REG_EXP_STR || b === TAIL_WILDCARD_REG_EXP_STR) {
+ return -1;
+ }
+ if (a === LABEL_REG_EXP_STR) {
+ return 1;
+ } else if (b === LABEL_REG_EXP_STR) {
+ return -1;
+ }
+ return a.length === b.length ? a < b ? -1 : 1 : b.length - a.length;
+ }
+ var Node = class _Node {
+ #index;
+ #varIndex;
+ #children = /* @__PURE__ */ Object.create(null);
+ insert(tokens, index, paramMap, context, pathErrorCheckOnly) {
+ if (tokens.length === 0) {
+ if (this.#index !== void 0) {
+ throw PATH_ERROR;
+ }
+ if (pathErrorCheckOnly) {
+ return;
+ }
+ this.#index = index;
+ return;
+ }
+ const [token, ...restTokens] = tokens;
+ const pattern = token === "*" ? restTokens.length === 0 ? ["", "", ONLY_WILDCARD_REG_EXP_STR] : ["", "", LABEL_REG_EXP_STR] : token === "/*" ? ["", "", TAIL_WILDCARD_REG_EXP_STR] : token.match(/^\:([^\{\}]+)(?:\{(.+)\})?$/);
+ let node;
+ if (pattern) {
+ const name = pattern[1];
+ let regexpStr = pattern[2] || LABEL_REG_EXP_STR;
+ if (name && pattern[2]) {
+ regexpStr = regexpStr.replace(/^\((?!\?:)(?=[^)]+\)$)/, "(?:");
+ if (/\((?!\?:)/.test(regexpStr)) {
+ throw PATH_ERROR;
+ }
+ }
+ node = this.#children[regexpStr];
+ if (!node) {
+ if (Object.keys(this.#children).some(
+ (k) => k !== ONLY_WILDCARD_REG_EXP_STR && k !== TAIL_WILDCARD_REG_EXP_STR
+ )) {
+ throw PATH_ERROR;
+ }
+ if (pathErrorCheckOnly) {
+ return;
+ }
+ node = this.#children[regexpStr] = new _Node();
+ if (name !== "") {
+ node.#varIndex = context.varIndex++;
+ }
+ }
+ if (!pathErrorCheckOnly && name !== "") {
+ paramMap.push([name, node.#varIndex]);
+ }
+ } else {
+ node = this.#children[token];
+ if (!node) {
+ if (Object.keys(this.#children).some(
+ (k) => k.length > 1 && k !== ONLY_WILDCARD_REG_EXP_STR && k !== TAIL_WILDCARD_REG_EXP_STR
+ )) {
+ throw PATH_ERROR;
+ }
+ if (pathErrorCheckOnly) {
+ return;
+ }
+ node = this.#children[token] = new _Node();
+ }
+ }
+ node.insert(restTokens, index, paramMap, context, pathErrorCheckOnly);
+ }
+ buildRegExpStr() {
+ const childKeys = Object.keys(this.#children).sort(compareKey);
+ const strList = childKeys.map((k) => {
+ const c = this.#children[k];
+ return (typeof c.#varIndex === "number" ? `(${k})@${c.#varIndex}` : regExpMetaChars.has(k) ? `\\${k}` : k) + c.buildRegExpStr();
+ });
+ if (typeof this.#index === "number") {
+ strList.unshift(`#${this.#index}`);
+ }
+ if (strList.length === 0) {
+ return "";
+ }
+ if (strList.length === 1) {
+ return strList[0];
+ }
+ return "(?:" + strList.join("|") + ")";
+ }
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/router/reg-exp-router/trie.js
+var require_trie = __commonJS({
+ "../node_modules/hono/dist/cjs/router/reg-exp-router/trie.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var trie_exports = {};
+ __export(trie_exports, {
+ Trie: () => Trie
+ });
+ module2.exports = __toCommonJS(trie_exports);
+ var import_node = require_node();
+ var Trie = class {
+ #context = { varIndex: 0 };
+ #root = new import_node.Node();
+ insert(path, index, pathErrorCheckOnly) {
+ const paramAssoc = [];
+ const groups = [];
+ for (let i = 0; ; ) {
+ let replaced = false;
+ path = path.replace(/\{[^}]+\}/g, (m) => {
+ const mark = `@\\${i}`;
+ groups[i] = [mark, m];
+ i++;
+ replaced = true;
+ return mark;
+ });
+ if (!replaced) {
+ break;
+ }
+ }
+ const tokens = path.match(/(?::[^\/]+)|(?:\/\*$)|./g) || [];
+ for (let i = groups.length - 1; i >= 0; i--) {
+ const [mark] = groups[i];
+ for (let j = tokens.length - 1; j >= 0; j--) {
+ if (tokens[j].indexOf(mark) !== -1) {
+ tokens[j] = tokens[j].replace(mark, groups[i][1]);
+ break;
+ }
+ }
+ }
+ this.#root.insert(tokens, index, paramAssoc, this.#context, pathErrorCheckOnly);
+ return paramAssoc;
+ }
+ buildRegExp() {
+ let regexp = this.#root.buildRegExpStr();
+ if (regexp === "") {
+ return [/^$/, [], []];
+ }
+ let captureIndex = 0;
+ const indexReplacementMap = [];
+ const paramReplacementMap = [];
+ regexp = regexp.replace(/#(\d+)|@(\d+)|\.\*\$/g, (_, handlerIndex, paramIndex) => {
+ if (handlerIndex !== void 0) {
+ indexReplacementMap[++captureIndex] = Number(handlerIndex);
+ return "$()";
+ }
+ if (paramIndex !== void 0) {
+ paramReplacementMap[Number(paramIndex)] = ++captureIndex;
+ return "";
+ }
+ return "";
+ });
+ return [new RegExp(`^${regexp}`), indexReplacementMap, paramReplacementMap];
+ }
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/router/reg-exp-router/router.js
+var require_router2 = __commonJS({
+ "../node_modules/hono/dist/cjs/router/reg-exp-router/router.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var router_exports = {};
+ __export(router_exports, {
+ RegExpRouter: () => RegExpRouter2
+ });
+ module2.exports = __toCommonJS(router_exports);
+ var import_router = require_router();
+ var import_url = require_url();
+ var import_node = require_node();
+ var import_trie = require_trie();
+ var emptyParam = [];
+ var nullMatcher = [/^$/, [], /* @__PURE__ */ Object.create(null)];
+ var wildcardRegExpCache = /* @__PURE__ */ Object.create(null);
+ function buildWildcardRegExp(path) {
+ return wildcardRegExpCache[path] ??= new RegExp(
+ path === "*" ? "" : `^${path.replace(
+ /\/\*$|([.\\+*[^\]$()])/g,
+ (_, metaChar) => metaChar ? `\\${metaChar}` : "(?:|/.*)"
+ )}$`
+ );
+ }
+ function clearWildcardRegExpCache() {
+ wildcardRegExpCache = /* @__PURE__ */ Object.create(null);
+ }
+ function buildMatcherFromPreprocessedRoutes(routes) {
+ const trie = new import_trie.Trie();
+ const handlerData = [];
+ if (routes.length === 0) {
+ return nullMatcher;
+ }
+ const routesWithStaticPathFlag = routes.map(
+ (route) => [!/\*|\/:/.test(route[0]), ...route]
+ ).sort(
+ ([isStaticA, pathA], [isStaticB, pathB]) => isStaticA ? 1 : isStaticB ? -1 : pathA.length - pathB.length
+ );
+ const staticMap = /* @__PURE__ */ Object.create(null);
+ for (let i = 0, j = -1, len = routesWithStaticPathFlag.length; i < len; i++) {
+ const [pathErrorCheckOnly, path, handlers] = routesWithStaticPathFlag[i];
+ if (pathErrorCheckOnly) {
+ staticMap[path] = [handlers.map(([h]) => [h, /* @__PURE__ */ Object.create(null)]), emptyParam];
+ } else {
+ j++;
+ }
+ let paramAssoc;
+ try {
+ paramAssoc = trie.insert(path, j, pathErrorCheckOnly);
+ } catch (e) {
+ throw e === import_node.PATH_ERROR ? new import_router.UnsupportedPathError(path) : e;
+ }
+ if (pathErrorCheckOnly) {
+ continue;
+ }
+ handlerData[j] = handlers.map(([h, paramCount]) => {
+ const paramIndexMap = /* @__PURE__ */ Object.create(null);
+ paramCount -= 1;
+ for (; paramCount >= 0; paramCount--) {
+ const [key, value] = paramAssoc[paramCount];
+ paramIndexMap[key] = value;
+ }
+ return [h, paramIndexMap];
+ });
+ }
+ const [regexp, indexReplacementMap, paramReplacementMap] = trie.buildRegExp();
+ for (let i = 0, len = handlerData.length; i < len; i++) {
+ for (let j = 0, len2 = handlerData[i].length; j < len2; j++) {
+ const map = handlerData[i][j]?.[1];
+ if (!map) {
+ continue;
+ }
+ const keys = Object.keys(map);
+ for (let k = 0, len3 = keys.length; k < len3; k++) {
+ map[keys[k]] = paramReplacementMap[map[keys[k]]];
+ }
+ }
+ }
+ const handlerMap = [];
+ for (const i in indexReplacementMap) {
+ handlerMap[i] = handlerData[indexReplacementMap[i]];
+ }
+ return [regexp, handlerMap, staticMap];
+ }
+ function findMiddleware(middleware, path) {
+ if (!middleware) {
+ return void 0;
+ }
+ for (const k of Object.keys(middleware).sort((a, b) => b.length - a.length)) {
+ if (buildWildcardRegExp(k).test(path)) {
+ return [...middleware[k]];
+ }
+ }
+ return void 0;
+ }
+ var RegExpRouter2 = class {
+ name = "RegExpRouter";
+ #middleware;
+ #routes;
+ constructor() {
+ this.#middleware = { [import_router.METHOD_NAME_ALL]: /* @__PURE__ */ Object.create(null) };
+ this.#routes = { [import_router.METHOD_NAME_ALL]: /* @__PURE__ */ Object.create(null) };
+ }
+ add(method, path, handler) {
+ const middleware = this.#middleware;
+ const routes = this.#routes;
+ if (!middleware || !routes) {
+ throw new Error(import_router.MESSAGE_MATCHER_IS_ALREADY_BUILT);
+ }
+ if (!middleware[method]) {
+ ;
+ [middleware, routes].forEach((handlerMap) => {
+ handlerMap[method] = /* @__PURE__ */ Object.create(null);
+ Object.keys(handlerMap[import_router.METHOD_NAME_ALL]).forEach((p) => {
+ handlerMap[method][p] = [...handlerMap[import_router.METHOD_NAME_ALL][p]];
+ });
+ });
+ }
+ if (path === "/*") {
+ path = "*";
+ }
+ const paramCount = (path.match(/\/:/g) || []).length;
+ if (/\*$/.test(path)) {
+ const re = buildWildcardRegExp(path);
+ if (method === import_router.METHOD_NAME_ALL) {
+ Object.keys(middleware).forEach((m) => {
+ middleware[m][path] ||= findMiddleware(middleware[m], path) || findMiddleware(middleware[import_router.METHOD_NAME_ALL], path) || [];
+ });
+ } else {
+ middleware[method][path] ||= findMiddleware(middleware[method], path) || findMiddleware(middleware[import_router.METHOD_NAME_ALL], path) || [];
+ }
+ Object.keys(middleware).forEach((m) => {
+ if (method === import_router.METHOD_NAME_ALL || method === m) {
+ Object.keys(middleware[m]).forEach((p) => {
+ re.test(p) && middleware[m][p].push([handler, paramCount]);
+ });
+ }
+ });
+ Object.keys(routes).forEach((m) => {
+ if (method === import_router.METHOD_NAME_ALL || method === m) {
+ Object.keys(routes[m]).forEach(
+ (p) => re.test(p) && routes[m][p].push([handler, paramCount])
+ );
+ }
+ });
+ return;
+ }
+ const paths = (0, import_url.checkOptionalParameter)(path) || [path];
+ for (let i = 0, len = paths.length; i < len; i++) {
+ const path2 = paths[i];
+ Object.keys(routes).forEach((m) => {
+ if (method === import_router.METHOD_NAME_ALL || method === m) {
+ routes[m][path2] ||= [
+ ...findMiddleware(middleware[m], path2) || findMiddleware(middleware[import_router.METHOD_NAME_ALL], path2) || []
+ ];
+ routes[m][path2].push([handler, paramCount - len + i + 1]);
+ }
+ });
+ }
+ }
+ match(method, path) {
+ clearWildcardRegExpCache();
+ const matchers = this.#buildAllMatchers();
+ this.match = (method2, path2) => {
+ const matcher = matchers[method2] || matchers[import_router.METHOD_NAME_ALL];
+ const staticMatch = matcher[2][path2];
+ if (staticMatch) {
+ return staticMatch;
+ }
+ const match = path2.match(matcher[0]);
+ if (!match) {
+ return [[], emptyParam];
+ }
+ const index = match.indexOf("", 1);
+ return [matcher[1][index], match];
+ };
+ return this.match(method, path);
+ }
+ #buildAllMatchers() {
+ const matchers = /* @__PURE__ */ Object.create(null);
+ Object.keys(this.#routes).concat(Object.keys(this.#middleware)).forEach((method) => {
+ matchers[method] ||= this.#buildMatcher(method);
+ });
+ this.#middleware = this.#routes = void 0;
+ return matchers;
+ }
+ #buildMatcher(method) {
+ const routes = [];
+ let hasOwnRoute = method === import_router.METHOD_NAME_ALL;
+ [this.#middleware, this.#routes].forEach((r) => {
+ const ownRoute = r[method] ? Object.keys(r[method]).map((path) => [path, r[method][path]]) : [];
+ if (ownRoute.length !== 0) {
+ hasOwnRoute ||= true;
+ routes.push(...ownRoute);
+ } else if (method !== import_router.METHOD_NAME_ALL) {
+ routes.push(
+ ...Object.keys(r[import_router.METHOD_NAME_ALL]).map((path) => [path, r[import_router.METHOD_NAME_ALL][path]])
+ );
+ }
+ });
+ if (!hasOwnRoute) {
+ return null;
+ } else {
+ return buildMatcherFromPreprocessedRoutes(routes);
+ }
+ }
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/router/reg-exp-router/index.js
+var require_reg_exp_router = __commonJS({
+ "../node_modules/hono/dist/cjs/router/reg-exp-router/index.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var reg_exp_router_exports = {};
+ __export(reg_exp_router_exports, {
+ RegExpRouter: () => import_router.RegExpRouter
+ });
+ module2.exports = __toCommonJS(reg_exp_router_exports);
+ var import_router = require_router2();
+ }
+});
+
+// ../node_modules/hono/dist/cjs/router/smart-router/router.js
+var require_router3 = __commonJS({
+ "../node_modules/hono/dist/cjs/router/smart-router/router.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var router_exports = {};
+ __export(router_exports, {
+ SmartRouter: () => SmartRouter2
+ });
+ module2.exports = __toCommonJS(router_exports);
+ var import_router = require_router();
+ var SmartRouter2 = class {
+ name = "SmartRouter";
+ #routers = [];
+ #routes = [];
+ constructor(init) {
+ this.#routers = init.routers;
+ }
+ add(method, path, handler) {
+ if (!this.#routes) {
+ throw new Error(import_router.MESSAGE_MATCHER_IS_ALREADY_BUILT);
+ }
+ this.#routes.push([method, path, handler]);
+ }
+ match(method, path) {
+ if (!this.#routes) {
+ throw new Error("Fatal error");
+ }
+ const routers = this.#routers;
+ const routes = this.#routes;
+ const len = routers.length;
+ let i = 0;
+ let res;
+ for (; i < len; i++) {
+ const router = routers[i];
+ try {
+ for (let i2 = 0, len2 = routes.length; i2 < len2; i2++) {
+ router.add(...routes[i2]);
+ }
+ res = router.match(method, path);
+ } catch (e) {
+ if (e instanceof import_router.UnsupportedPathError) {
+ continue;
+ }
+ throw e;
+ }
+ this.match = router.match.bind(router);
+ this.#routers = [router];
+ this.#routes = void 0;
+ break;
+ }
+ if (i === len) {
+ throw new Error("Fatal error");
+ }
+ this.name = `SmartRouter + ${this.activeRouter.name}`;
+ return res;
+ }
+ get activeRouter() {
+ if (this.#routes || this.#routers.length !== 1) {
+ throw new Error("No active router has been determined yet.");
+ }
+ return this.#routers[0];
+ }
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/router/smart-router/index.js
+var require_smart_router = __commonJS({
+ "../node_modules/hono/dist/cjs/router/smart-router/index.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var smart_router_exports = {};
+ __export(smart_router_exports, {
+ SmartRouter: () => import_router.SmartRouter
+ });
+ module2.exports = __toCommonJS(smart_router_exports);
+ var import_router = require_router3();
+ }
+});
+
+// ../node_modules/hono/dist/cjs/router/trie-router/node.js
+var require_node2 = __commonJS({
+ "../node_modules/hono/dist/cjs/router/trie-router/node.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var node_exports = {};
+ __export(node_exports, {
+ Node: () => Node
+ });
+ module2.exports = __toCommonJS(node_exports);
+ var import_router = require_router();
+ var import_url = require_url();
+ var emptyParams = /* @__PURE__ */ Object.create(null);
+ var Node = class _Node {
+ #methods;
+ #children;
+ #patterns;
+ #order = 0;
+ #params = emptyParams;
+ constructor(method, handler, children) {
+ this.#children = children || /* @__PURE__ */ Object.create(null);
+ this.#methods = [];
+ if (method && handler) {
+ const m = /* @__PURE__ */ Object.create(null);
+ m[method] = { handler, possibleKeys: [], score: 0 };
+ this.#methods = [m];
+ }
+ this.#patterns = [];
+ }
+ insert(method, path, handler) {
+ this.#order = ++this.#order;
+ let curNode = this;
+ const parts = (0, import_url.splitRoutingPath)(path);
+ const possibleKeys = [];
+ for (let i = 0, len = parts.length; i < len; i++) {
+ const p = parts[i];
+ const nextP = parts[i + 1];
+ const pattern = (0, import_url.getPattern)(p, nextP);
+ const key = Array.isArray(pattern) ? pattern[0] : p;
+ if (key in curNode.#children) {
+ curNode = curNode.#children[key];
+ if (pattern) {
+ possibleKeys.push(pattern[1]);
+ }
+ continue;
+ }
+ curNode.#children[key] = new _Node();
+ if (pattern) {
+ curNode.#patterns.push(pattern);
+ possibleKeys.push(pattern[1]);
+ }
+ curNode = curNode.#children[key];
+ }
+ curNode.#methods.push({
+ [method]: {
+ handler,
+ possibleKeys: possibleKeys.filter((v, i, a) => a.indexOf(v) === i),
+ score: this.#order
+ }
+ });
+ return curNode;
+ }
+ #getHandlerSets(node, method, nodeParams, params) {
+ const handlerSets = [];
+ for (let i = 0, len = node.#methods.length; i < len; i++) {
+ const m = node.#methods[i];
+ const handlerSet = m[method] || m[import_router.METHOD_NAME_ALL];
+ const processedSet = {};
+ if (handlerSet !== void 0) {
+ handlerSet.params = /* @__PURE__ */ Object.create(null);
+ handlerSets.push(handlerSet);
+ if (nodeParams !== emptyParams || params && params !== emptyParams) {
+ for (let i2 = 0, len2 = handlerSet.possibleKeys.length; i2 < len2; i2++) {
+ const key = handlerSet.possibleKeys[i2];
+ const processed = processedSet[handlerSet.score];
+ handlerSet.params[key] = params?.[key] && !processed ? params[key] : nodeParams[key] ?? params?.[key];
+ processedSet[handlerSet.score] = true;
+ }
+ }
+ }
+ }
+ return handlerSets;
+ }
+ search(method, path) {
+ const handlerSets = [];
+ this.#params = emptyParams;
+ const curNode = this;
+ let curNodes = [curNode];
+ const parts = (0, import_url.splitPath)(path);
+ const curNodesQueue = [];
+ for (let i = 0, len = parts.length; i < len; i++) {
+ const part = parts[i];
+ const isLast = i === len - 1;
+ const tempNodes = [];
+ for (let j = 0, len2 = curNodes.length; j < len2; j++) {
+ const node = curNodes[j];
+ const nextNode = node.#children[part];
+ if (nextNode) {
+ nextNode.#params = node.#params;
+ if (isLast) {
+ if (nextNode.#children["*"]) {
+ handlerSets.push(
+ ...this.#getHandlerSets(nextNode.#children["*"], method, node.#params)
+ );
+ }
+ handlerSets.push(...this.#getHandlerSets(nextNode, method, node.#params));
+ } else {
+ tempNodes.push(nextNode);
+ }
+ }
+ for (let k = 0, len3 = node.#patterns.length; k < len3; k++) {
+ const pattern = node.#patterns[k];
+ const params = node.#params === emptyParams ? {} : { ...node.#params };
+ if (pattern === "*") {
+ const astNode = node.#children["*"];
+ if (astNode) {
+ handlerSets.push(...this.#getHandlerSets(astNode, method, node.#params));
+ astNode.#params = params;
+ tempNodes.push(astNode);
+ }
+ continue;
+ }
+ if (!part) {
+ continue;
+ }
+ const [key, name, matcher] = pattern;
+ const child = node.#children[key];
+ const restPathString = parts.slice(i).join("/");
+ if (matcher instanceof RegExp) {
+ const m = matcher.exec(restPathString);
+ if (m) {
+ params[name] = m[0];
+ handlerSets.push(...this.#getHandlerSets(child, method, node.#params, params));
+ if (Object.keys(child.#children).length) {
+ child.#params = params;
+ const componentCount = m[0].match(/\//)?.length ?? 0;
+ const targetCurNodes = curNodesQueue[componentCount] ||= [];
+ targetCurNodes.push(child);
+ }
+ continue;
+ }
+ }
+ if (matcher === true || matcher.test(part)) {
+ params[name] = part;
+ if (isLast) {
+ handlerSets.push(...this.#getHandlerSets(child, method, params, node.#params));
+ if (child.#children["*"]) {
+ handlerSets.push(
+ ...this.#getHandlerSets(child.#children["*"], method, params, node.#params)
+ );
+ }
+ } else {
+ child.#params = params;
+ tempNodes.push(child);
+ }
+ }
+ }
+ }
+ curNodes = tempNodes.concat(curNodesQueue.shift() ?? []);
+ }
+ if (handlerSets.length > 1) {
+ handlerSets.sort((a, b) => {
+ return a.score - b.score;
+ });
+ }
+ return [handlerSets.map(({ handler, params }) => [handler, params])];
+ }
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/router/trie-router/router.js
+var require_router4 = __commonJS({
+ "../node_modules/hono/dist/cjs/router/trie-router/router.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var router_exports = {};
+ __export(router_exports, {
+ TrieRouter: () => TrieRouter2
+ });
+ module2.exports = __toCommonJS(router_exports);
+ var import_url = require_url();
+ var import_node = require_node2();
+ var TrieRouter2 = class {
+ name = "TrieRouter";
+ #node;
+ constructor() {
+ this.#node = new import_node.Node();
+ }
+ add(method, path, handler) {
+ const results = (0, import_url.checkOptionalParameter)(path);
+ if (results) {
+ for (let i = 0, len = results.length; i < len; i++) {
+ this.#node.insert(method, results[i], handler);
+ }
+ return;
+ }
+ this.#node.insert(method, path, handler);
+ }
+ match(method, path) {
+ return this.#node.search(method, path);
+ }
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/router/trie-router/index.js
+var require_trie_router = __commonJS({
+ "../node_modules/hono/dist/cjs/router/trie-router/index.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var trie_router_exports = {};
+ __export(trie_router_exports, {
+ TrieRouter: () => import_router.TrieRouter
+ });
+ module2.exports = __toCommonJS(trie_router_exports);
+ var import_router = require_router4();
+ }
+});
+
+// ../node_modules/hono/dist/cjs/hono.js
+var require_hono = __commonJS({
+ "../node_modules/hono/dist/cjs/hono.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var hono_exports = {};
+ __export(hono_exports, {
+ Hono: () => Hono2
+ });
+ module2.exports = __toCommonJS(hono_exports);
+ var import_hono_base = require_hono_base();
+ var import_reg_exp_router = require_reg_exp_router();
+ var import_smart_router = require_smart_router();
+ var import_trie_router = require_trie_router();
+ var Hono2 = class extends import_hono_base.HonoBase {
+ constructor(options = {}) {
+ super(options);
+ this.router = options.router ?? new import_smart_router.SmartRouter({
+ routers: [new import_reg_exp_router.RegExpRouter(), new import_trie_router.TrieRouter()]
+ });
+ }
+ };
+ }
+});
+
+// ../node_modules/hono/dist/cjs/index.js
+var require_cjs = __commonJS({
+ "../node_modules/hono/dist/cjs/index.js"(exports2, module2) {
+ "use strict";
+ var __defProp2 = Object.defineProperty;
+ var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
+ var __getOwnPropNames2 = Object.getOwnPropertyNames;
+ var __hasOwnProp2 = Object.prototype.hasOwnProperty;
+ var __export = (target, all) => {
+ for (var name in all)
+ __defProp2(target, name, { get: all[name], enumerable: true });
+ };
+ var __copyProps2 = (to, from, except, desc) => {
+ if (from && typeof from === "object" || typeof from === "function") {
+ for (let key of __getOwnPropNames2(from))
+ if (!__hasOwnProp2.call(to, key) && key !== except)
+ __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
+ }
+ return to;
+ };
+ var __toCommonJS = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
+ var src_exports = {};
+ __export(src_exports, {
+ Hono: () => import_hono.Hono
+ });
+ module2.exports = __toCommonJS(src_exports);
+ var import_hono = require_hono();
+ }
+});
+
+// ../node_modules/@emprespresso/pengueno/dist/server/hono/proxy.js
+var require_proxy = __commonJS({
+ "../node_modules/@emprespresso/pengueno/dist/server/hono/proxy.js"(exports2) {
+ "use strict";
+ Object.defineProperty(exports2, "__esModule", { value: true });
+ exports2.HonoProxy = void 0;
+ var pengueno_1 = require_dist2();
+ var node_server_1 = require_dist();
+ var hono_1 = require_cjs();
+ var AppLifetimeMetric = pengueno_1.Metric.fromName("HonoAppLifetime").asResult();
+ var AppRequestMetric = pengueno_1.Metric.fromName("HonoAppRequest");
+ var HonoProxy = class {
+ server;
+ app = pengueno_1.LogMetricTraceable.of(new hono_1.Hono()).flatMap(pengueno_1.TraceUtil.withTrace(`AppId = ${crypto.randomUUID()}`)).flatMap(pengueno_1.TraceUtil.withMetricTrace(AppLifetimeMetric));
+ constructor(server) {
+ this.server = server;
+ }
+ async serve(port, hostname) {
+ return this.app.map((tApp) => pengueno_1.Either.fromFailable(() => {
+ const app = tApp.get();
+ app.all("*", async (c) => tApp.flatMap(pengueno_1.TraceUtil.withMetricTrace(AppRequestMetric)).move(c.req).flatMap((tRequest) => pengueno_1.PenguenoRequest.from(tRequest)).map((req) => this.server.serve(req)).map(pengueno_1.TraceUtil.promiseify((tResponse) => {
+ tResponse.trace.trace(AppRequestMetric.count.withValue(1));
+ return new Response(tResponse.get().body(), tResponse.get());
+ })).get());
+ return (0, node_server_1.serve)({
+ fetch: (_r) => app.fetch(_r),
+ port,
+ hostname
+ });
+ })).peek(pengueno_1.TraceUtil.traceResultingEither()).peek((tServe) => tServe.get().mapRight(() => tServe.trace.trace(`haii im still listening at http://${hostname}:${port} ~uwu dont think i forgot`))).map((tEitherServer) => tEitherServer.get().mapRight((server) => tEitherServer.move(server)).flatMapAsync((tServer) => pengueno_1.Signals.awaitClose(tServer))).peek(pengueno_1.TraceUtil.promiseify(pengueno_1.TraceUtil.traceResultingEither(AppLifetimeMetric))).get();
+ }
+ };
+ exports2.HonoProxy = HonoProxy;
+ }
+});
+
+// ../node_modules/@emprespresso/pengueno/dist/server/hono/index.js
+var require_hono2 = __commonJS({
+ "../node_modules/@emprespresso/pengueno/dist/server/hono/index.js"(exports2) {
+ "use strict";
+ var __createBinding = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
+ if (k2 === void 0) k2 = k;
+ var desc = Object.getOwnPropertyDescriptor(m, k);
+ if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
+ desc = { enumerable: true, get: function() {
+ return m[k];
+ } };
+ }
+ Object.defineProperty(o, k2, desc);
+ } : function(o, m, k, k2) {
+ if (k2 === void 0) k2 = k;
+ o[k2] = m[k];
+ });
+ var __exportStar = exports2 && exports2.__exportStar || function(m, exports3) {
+ for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding(exports3, m, p);
+ };
+ Object.defineProperty(exports2, "__esModule", { value: true });
+ __exportStar(require_proxy(), exports2);
+ }
+});
+
// ../node_modules/@emprespresso/pengueno/dist/server/index.js
var require_server = __commonJS({
"../node_modules/@emprespresso/pengueno/dist/server/index.js"(exports2) {
@@ -1700,11 +4554,12 @@ var require_server = __commonJS({
__exportStar(require_request(), exports2);
__exportStar(require_activity(), exports2);
__exportStar(require_filter(), exports2);
+ __exportStar(require_hono2(), exports2);
}
});
// ../node_modules/@emprespresso/pengueno/dist/index.js
-var require_dist = __commonJS({
+var require_dist2 = __commonJS({
"../node_modules/@emprespresso/pengueno/dist/index.js"(exports2) {
"use strict";
var __createBinding = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
@@ -1733,7 +4588,7 @@ var require_dist = __commonJS({
});
// ../model/job/index.ts
-var import_pengueno = __toESM(require_dist(), 1);
+var import_pengueno = __toESM(require_dist2(), 1);
var JobTypes = [
"fetch_code",
"ci_pipeline",
@@ -1746,7 +4601,7 @@ var isJobType = (j) => typeof j === "string" && JobTypes.includes(j);
var isJob = (j) => !!((0, import_pengueno.isObject)(j) && "arguments" in j && (0, import_pengueno.isObject)(j.arguments) && "type" in j && isJobType(j.type) && j);
// ../model/pipeline/index.ts
-var import_pengueno3 = __toESM(require_dist(), 1);
+var import_pengueno3 = __toESM(require_dist2(), 1);
// ../model/pipeline/builder.ts
var BasePipelineBuilder = class {
@@ -1787,7 +4642,7 @@ var DefaultGitHookPipelineBuilder = class extends BasePipelineBuilder {
};
// ../model/pipeline/impl.ts
-var import_pengueno2 = __toESM(require_dist(), 1);
+var import_pengueno2 = __toESM(require_dist2(), 1);
var PipelineImpl = class _PipelineImpl {
constructor(serialJobs) {
this.serialJobs = serialJobs;