Skip to main content
This release is 6 versions behind 17.1.3 — the latest version of @oak/oak. Jump to latest

@oak/oak@16.0.0
Built and signed on GitHub Actions

A middleware framework for handling HTTP with Deno, Node.js, Bun and Cloudflare Workers 🐿️🦕🥟⚙️

This package works with Cloudflare Workers, Node.js, Deno, Bun
This package works with Cloudflare Workers
This package works with Node.js
This package works with Deno
This package works with Bun
JSR Score
100%
Published
7 months ago (16.0.0)
Package root>application.ts
123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932
// Copyright 2018-2024 the oak authors. All rights reserved. MIT license. /** * Contains the core concept of oak, the middleware application. Typical usage * is the creation of an application instance, registration of middleware, and * then starting to listen for requests. * * # Example * * ```ts * import { Application } from "jsr:@oak/oak@14/application"; * * const app = new Application(); * app.use((ctx) => { * ctx.response.body = "hello world!"; * }); * * app.listen({ port: 8080 }); * ``` * * @module */ import { Context } from "./context.ts"; import { assert, KeyStack, type Status, STATUS_TEXT } from "./deps.ts"; import type { NativeRequest } from "./http_server_native_request.ts"; import { compose, isMiddlewareObject, type MiddlewareOrMiddlewareObject, } from "./middleware.ts"; import { cloneState } from "./utils/clone_state.ts"; import { createPromiseWithResolvers } from "./utils/create_promise_with_resolvers.ts"; import type { Key, Listener, NetAddr, OakServer, ServerConstructor, ServerRequest, } from "./types.ts"; import { isBun, isNetAddr, isNode } from "./utils/type_guards.ts"; /** Base interface for application listening options. */ export interface ListenOptionsBase { /** The port to listen on. If not specified, defaults to `0`, which allows the * operating system to determine the value. */ port?: number; /** A literal IP address or host name that can be resolved to an IP address. * If not specified, defaults to `0.0.0.0`. * * __Note about `0.0.0.0`__ While listening `0.0.0.0` works on all platforms, * the browsers on Windows don't work with the address `0.0.0.0`. * You should show the message like `server running on localhost:8080` instead of * `server running on 0.0.0.0:8080` if your program supports Windows. */ hostname?: string; secure?: false; /** An optional abort signal which can be used to close the listener. */ signal?: AbortSignal; } interface TlsCertifiedKeyPem { /** The format of this key material, which must be PEM. */ keyFormat?: "pem"; /** Private key in `PEM` format. RSA, EC, and PKCS8-format keys are supported. */ key: string; /** Certificate chain in `PEM` format. */ cert: string; } interface TlsCertifiedKeyFromFile { /** Path to a file containing a PEM formatted CA certificate. Requires * `--allow-read`. * * @tags allow-read * @deprecated This will be removed in Deno 2.0. See the * {@link https://docs.deno.com/runtime/manual/advanced/migrate_deprecations | Deno 1.x to 2.x Migration Guide} * for migration instructions. */ certFile: string; /** Path to a file containing a private key file. Requires `--allow-read`. * * @tags allow-read * @deprecated This will be removed in Deno 2.0. See the * {@link https://docs.deno.com/runtime/manual/advanced/migrate_deprecations | Deno 1.x to 2.x Migration Guide} * for migration instructions. */ keyFile: string; } interface TlsCertifiedKeyConnectTls { /** * Certificate chain in `PEM` format. * * @deprecated This will be removed in Deno 2.0. See the * {@link https://docs.deno.com/runtime/manual/advanced/migrate_deprecations | Deno 1.x to 2.x Migration Guide} * for migration instructions. */ certChain: string; /** * Private key in `PEM` format. RSA, EC, and PKCS8-format keys are supported. * * @deprecated This will be removed in Deno 2.0. See the * {@link https://docs.deno.com/runtime/manual/advanced/migrate_deprecations | Deno 1.x to 2.x Migration Guide} * for migration instructions. */ privateKey: string; } type TlsCertifiedKeyOptions = | TlsCertifiedKeyPem | TlsCertifiedKeyFromFile | TlsCertifiedKeyConnectTls; /** Interface options when listening on TLS. */ export type ListenOptionsTls = { /** The port to listen on. */ port: number; /** A literal IP address or host name that can be resolved to an IP address. * * __Note about `0.0.0.0`__ While listening `0.0.0.0` works on all platforms, * the browsers on Windows don't work with the address `0.0.0.0`. * You should show the message like `server running on localhost:8080` instead of * `server running on 0.0.0.0:8080` if your program supports Windows. * * @default {"0.0.0.0"} */ hostname?: string; transport?: "tcp"; /** Application-Layer Protocol Negotiation (ALPN) protocols to announce to * the client. If not specified, no ALPN extension will be included in the * TLS handshake. */ alpnProtocols?: string[]; secure: true; /** An optional abort signal which can be used to close the listener. */ signal?: AbortSignal; } & TlsCertifiedKeyOptions; interface HandleMethod { /** Handle an individual server request, returning the server response. This * is similar to `.listen()`, but opening the connection and retrieving * requests are not the responsibility of the application. If the generated * context gets set to not to respond, then the method resolves with * `undefined`, otherwise it resolves with a DOM `Response` object. */ ( request: Request, remoteAddr?: NetAddr, secure?: boolean, ): Promise<Response | undefined>; } interface CloudflareExecutionContext { waitUntil(promise: Promise<unknown>): void; passThroughOnException(): void; } interface CloudflareFetchHandler< Env extends Record<string, string> = Record<string, string>, > { /** A method that is compatible with the Cloudflare Worker * [Fetch Handler](https://developers.cloudflare.com/workers/runtime-apis/handlers/fetch/) * and can be exported to handle Cloudflare Worker fetch requests. * * # Example * * ```ts * import { Application } from "@oak/oak"; * * const app = new Application(); * app.use((ctx) => { * ctx.response.body = "hello world!"; * }); * * export default { fetch: app.fetch }; * ``` */ ( request: Request, env: Env, ctx: CloudflareExecutionContext, ): Promise<Response>; } /** Options which can be specified when listening. */ export type ListenOptions = ListenOptionsTls | ListenOptionsBase; interface ApplicationCloseEventListener { (evt: ApplicationCloseEvent): void | Promise<void>; } interface ApplicationCloseEventListenerObject { handleEvent(evt: ApplicationCloseEvent): void | Promise<void>; } type ApplicationCloseEventListenerOrEventListenerObject = | ApplicationCloseEventListener | ApplicationCloseEventListenerObject; interface ApplicationErrorEventListener<S extends AS, AS extends State> { (evt: ApplicationErrorEvent<S, AS>): void | Promise<void>; } interface ApplicationErrorEventListenerObject<S extends AS, AS extends State> { handleEvent(evt: ApplicationErrorEvent<S, AS>): void | Promise<void>; } interface ApplicationErrorEventInit<S extends AS, AS extends State> extends ErrorEventInit { context?: Context<S, AS>; } type ApplicationErrorEventListenerOrEventListenerObject< S extends AS, AS extends State, > = | ApplicationErrorEventListener<S, AS> | ApplicationErrorEventListenerObject<S, AS>; interface ApplicationListenEventListener { (evt: ApplicationListenEvent): void | Promise<void>; } interface ApplicationListenEventListenerObject { handleEvent(evt: ApplicationListenEvent): void | Promise<void>; } interface ApplicationListenEventInit extends EventInit { hostname: string; listener: Listener; port: number; secure: boolean; serverType: "native" | "node" | "bun" | "custom"; } type ApplicationListenEventListenerOrEventListenerObject = | ApplicationListenEventListener | ApplicationListenEventListenerObject; /** Available options that are used when creating a new instance of * {@linkcode Application}. */ export interface ApplicationOptions<S extends State, R extends ServerRequest> { /** Determine how when creating a new context, the state from the application * should be applied. A value of `"clone"` will set the state as a clone of * the app state. Any non-cloneable or non-enumerable properties will not be * copied. A value of `"prototype"` means that the application's state will be * used as the prototype of the the context's state, meaning shallow * properties on the context's state will not be reflected in the * application's state. A value of `"alias"` means that application's `.state` * and the context's `.state` will be a reference to the same object. A value * of `"empty"` will initialize the context's `.state` with an empty object. * * The default value is `"clone"`. */ contextState?: "clone" | "prototype" | "alias" | "empty"; /** An optional replacer function to be used when serializing a JSON * response. The replacer will be used with `JSON.stringify()` to encode any * response bodies that need to be converted before sending the response. * * This is intended to allow responses to contain bigints and circular * references and encoding other values which JSON does not support directly. * * This can be used in conjunction with `jsonBodyReviver` to handle decoding * of request bodies if the same semantics are used for client requests. * * If more detailed or conditional usage is required, then serialization * should be implemented directly in middleware. */ jsonBodyReplacer?: ( key: string, value: unknown, context: Context<S>, ) => unknown; /** An optional reviver function to be used when parsing a JSON request. The * reviver will be used with `JSON.parse()` to decode any response bodies that * are being converted as JSON. * * This is intended to allow requests to deserialize to bigints, circular * references, or other values which JSON does not support directly. * * This can be used in conjunction with `jsonBodyReplacer` to handle decoding * of response bodies if the same semantics are used for responses. * * If more detailed or conditional usage is required, then deserialization * should be implemented directly in the middleware. */ jsonBodyReviver?: ( key: string, value: unknown, context: Context<S>, ) => unknown; /** An initial set of keys (or instance of {@linkcode KeyStack}) to be used for signing * cookies produced by the application. */ keys?: KeyStack | Key[]; /** If `true`, any errors handled by the application will be logged to the * stderr. If `false` nothing will be logged. The default is `true`. * * All errors are available as events on the application of type `"error"` and * can be accessed for custom logging/application management via adding an * event listener to the application: * * ```ts * const app = new Application({ logErrors: false }); * app.addEventListener("error", (evt) => { * // evt.error will contain what error was thrown * }); * ``` */ logErrors?: boolean; /** If set to `true`, proxy headers will be trusted when processing requests. * This defaults to `false`. */ proxy?: boolean; /** A server constructor to use instead of the default server for receiving * requests. * * Generally this is only used for testing. */ serverConstructor?: ServerConstructor<R>; /** The initial state object for the application, of which the type can be * used to infer the type of the state for both the application and any of the * application's context. */ state?: S; } interface RequestState { handling: Set<Promise<void>>; closing: boolean; closed: boolean; server: OakServer<ServerRequest>; } /** The base type of state which is associated with an application or * context. */ // deno-lint-ignore no-explicit-any export type State = Record<string | number | symbol, any>; const ADDR_REGEXP = /^\[?([^\]]*)\]?:([0-9]{1,5})$/; let DefaultServerCtor: ServerConstructor<ServerRequest> | undefined; let NativeRequestCtor: typeof NativeRequest | undefined; /** An event that occurs when the application closes. */ export class ApplicationCloseEvent extends Event { constructor(eventInitDict: EventInit) { super("close", eventInitDict); } } /** An event that occurs when an application error occurs. * * When the error occurs related to the handling of a request, the `.context` * property will be populated. */ export class ApplicationErrorEvent<S extends AS, AS extends State> extends ErrorEvent { context?: Context<S, AS>; constructor(eventInitDict: ApplicationErrorEventInit<S, AS>) { super("error", eventInitDict); this.context = eventInitDict.context; } } function logErrorListener<S extends AS, AS extends State>( { error, context }: ApplicationErrorEvent<S, AS>, ) { if (error instanceof Error) { console.error( `[uncaught application error]: ${error.name} - ${error.message}`, ); } else { console.error(`[uncaught application error]\n`, error); } if (context) { let url: string; try { url = context.request.url.toString(); } catch { url = "[malformed url]"; } console.error(`\nrequest:`, { url, method: context.request.method, hasBody: context.request.hasBody, }); console.error(`response:`, { status: context.response.status, type: context.response.type, hasBody: !!context.response.body, writable: context.response.writable, }); } if (error instanceof Error && error.stack) { console.error(`\n${error.stack.split("\n").slice(1).join("\n")}`); } } /** * An event that occurs when the application starts listening for requests. */ export class ApplicationListenEvent extends Event { hostname: string; listener: Listener; port: number; secure: boolean; serverType: "native" | "node" | "bun" | "custom"; constructor(eventInitDict: ApplicationListenEventInit) { super("listen", eventInitDict); this.hostname = eventInitDict.hostname; this.listener = eventInitDict.listener; this.port = eventInitDict.port; this.secure = eventInitDict.secure; this.serverType = eventInitDict.serverType; } } /** A class which registers middleware (via `.use()`) and then processes * inbound requests against that middleware (via `.listen()`). * * The `context.state` can be typed via passing a generic argument when * constructing an instance of `Application`. It can also be inferred by setting * the {@linkcode ApplicationOptions.state} option when constructing the * application. * * ### Basic example * * ```ts * import { Application } from "jsr:@oak/oak/application"; * * const app = new Application(); * * app.use((ctx, next) => { * // called on each request with the context (`ctx`) of the request, * // response, and other data. * // `next()` is use to modify the flow control of the middleware stack. * }); * * app.listen({ port: 8080 }); * ``` * * @template AS the type of the application state which extends * {@linkcode State} and defaults to a simple string record. */ // deno-lint-ignore no-explicit-any export class Application<AS extends State = Record<string, any>> extends EventTarget { #composedMiddleware?: (context: Context<AS, AS>) => Promise<unknown>; #contextOptions: Pick< ApplicationOptions<AS, ServerRequest>, "jsonBodyReplacer" | "jsonBodyReviver" >; #contextState: "clone" | "prototype" | "alias" | "empty"; #keys?: KeyStack; #middleware: MiddlewareOrMiddlewareObject<State, Context<State, AS>>[] = []; #serverConstructor: ServerConstructor<ServerRequest> | undefined; /** A set of keys, or an instance of `KeyStack` which will be used to sign * cookies read and set by the application to avoid tampering with the * cookies. */ get keys(): KeyStack | Key[] | undefined { return this.#keys; } set keys(keys: KeyStack | Key[] | undefined) { if (!keys) { this.#keys = undefined; return; } else if (Array.isArray(keys)) { this.#keys = new KeyStack(keys); } else { this.#keys = keys; } } /** If `true`, proxy headers will be trusted when processing requests. This * defaults to `false`. */ proxy: boolean; /** Generic state of the application, which can be specified by passing the * generic argument when constructing: * * const app = new Application<{ foo: string }>(); * * Or can be contextually inferred based on setting an initial state object: * * const app = new Application({ state: { foo: "bar" } }); * * When a new context is created, the application's state is cloned and the * state is unique to that request/response. Changes can be made to the * application state that will be shared with all contexts. */ state: AS; constructor(options: ApplicationOptions<AS, ServerRequest> = {}) { super(); const { state, keys, proxy, serverConstructor, contextState = "clone", logErrors = true, ...contextOptions } = options; this.proxy = proxy ?? false; this.keys = keys; this.state = state ?? {} as AS; this.#serverConstructor = serverConstructor; this.#contextOptions = contextOptions; this.#contextState = contextState; if (logErrors) { this.addEventListener("error", logErrorListener); } } #getComposed(): (context: Context<AS, AS>) => Promise<unknown> { if (!this.#composedMiddleware) { this.#composedMiddleware = compose(this.#middleware); } return this.#composedMiddleware; } #getContextState(): AS { switch (this.#contextState) { case "alias": return this.state; case "clone": return cloneState(this.state); case "empty": return {} as AS; case "prototype": return Object.create(this.state); } } /** Deal with uncaught errors in either the middleware or sending the * response. */ // deno-lint-ignore no-explicit-any #handleError(context: Context<AS>, error: any): void { if (!(error instanceof Error)) { error = new Error(`non-error thrown: ${JSON.stringify(error)}`); } const { message } = error; if (!context.response.writable) { this.dispatchEvent( new ApplicationErrorEvent({ context, message, error }), ); return; } for (const key of [...context.response.headers.keys()]) { context.response.headers.delete(key); } if (error.headers && error.headers instanceof Headers) { for (const [key, value] of error.headers) { context.response.headers.set(key, value); } } context.response.type = "text"; const status: Status = context.response.status = globalThis.Deno && Deno.errors && error instanceof Deno.errors.NotFound ? 404 : error.status && typeof error.status === "number" ? error.status : 500; context.response.body = error.expose ? error.message : STATUS_TEXT[status]; this.dispatchEvent(new ApplicationErrorEvent({ context, message, error })); } /** Processing registered middleware on each request. */ async #handleRequest( request: ServerRequest, secure: boolean, state: RequestState, ): Promise<void> { let context: Context<AS, AS> | undefined; try { context = new Context( this, request, this.#getContextState(), { secure, ...this.#contextOptions }, ); } catch (e) { const error = e instanceof Error ? e : new Error(`non-error thrown: ${JSON.stringify(e)}`); const { message } = error; this.dispatchEvent(new ApplicationErrorEvent({ message, error })); return; } assert(context, "Context was not created."); const { promise, resolve } = createPromiseWithResolvers<void>(); state.handling.add(promise); if (!state.closing && !state.closed) { try { await this.#getComposed()(context); } catch (err) { this.#handleError(context, err); } } if (context.respond === false) { context.response.destroy(); resolve!(); state.handling.delete(promise); return; } let closeResources = true; let response: Response; try { closeResources = false; response = await context.response.toDomResponse(); } catch (err) { this.#handleError(context, err); response = await context.response.toDomResponse(); } assert(response); try { await request.respond(response); } catch (err) { this.#handleError(context, err); } finally { context.response.destroy(closeResources); resolve!(); state.handling.delete(promise); if (state.closing) { await state.server.close(); if (!state.closed) { this.dispatchEvent(new ApplicationCloseEvent({})); } state.closed = true; } } } /** Add an event listener for a `"close"` event which occurs when the * application is closed and no longer listening or handling requests. */ addEventListener<S extends AS>( type: "close", listener: ApplicationCloseEventListenerOrEventListenerObject | null, options?: boolean | AddEventListenerOptions, ): void; /** Add an event listener for an `"error"` event which occurs when an * un-caught error occurs when processing the middleware or during processing * of the response. */ addEventListener<S extends AS>( type: "error", listener: ApplicationErrorEventListenerOrEventListenerObject<S, AS> | null, options?: boolean | AddEventListenerOptions, ): void; /** Add an event listener for a `"listen"` event which occurs when the server * has successfully opened but before any requests start being processed. */ addEventListener( type: "listen", listener: ApplicationListenEventListenerOrEventListenerObject | null, options?: boolean | AddEventListenerOptions, ): void; /** Add an event listener for an event. Currently valid event types are * `"error"` and `"listen"`. */ addEventListener( type: "close" | "error" | "listen", listener: EventListenerOrEventListenerObject | null, options?: boolean | AddEventListenerOptions, ): void { super.addEventListener(type, listener, options); } /** A method that is compatible with the Cloudflare Worker * [Fetch Handler](https://developers.cloudflare.com/workers/runtime-apis/handlers/fetch/) * and can be exported to handle Cloudflare Worker fetch requests. * * # Example * * ```ts * import { Application } from "@oak/oak"; * * const app = new Application(); * app.use((ctx) => { * ctx.response.body = "hello world!"; * }); * * export default { fetch: app.fetch }; * ``` */ fetch: CloudflareFetchHandler = async < Env extends Record<string, string> = Record<string, string>, >( request: Request, _env: Env, _ctx: CloudflareExecutionContext, ): Promise<Response> => { if (!this.#middleware.length) { throw new TypeError("There is no middleware to process requests."); } if (!NativeRequestCtor) { const { NativeRequest } = await import("./http_server_native_request.ts"); NativeRequestCtor = NativeRequest; } let remoteAddr: NetAddr | undefined; const hostname = request.headers.get("CF-Connecting-IP") ?? undefined; if (hostname) { remoteAddr = { hostname, port: 0, transport: "tcp" }; } const contextRequest = new NativeRequestCtor(request, { remoteAddr }); const context = new Context( this, contextRequest, this.#getContextState(), this.#contextOptions, ); try { await this.#getComposed()(context); const response = await context.response.toDomResponse(); context.response.destroy(false); return response; } catch (err) { this.#handleError(context, err); throw err; } }; /** Handle an individual server request, returning the server response. This * is similar to `.listen()`, but opening the connection and retrieving * requests are not the responsibility of the application. If the generated * context gets set to not to respond, then the method resolves with * `undefined`, otherwise it resolves with a request that is compatible with * `std/http/server`. */ handle: HandleMethod = (async ( request: Request, secureOrAddr: NetAddr | boolean | undefined, secure: boolean | undefined = false, ): Promise<Response | undefined> => { if (!this.#middleware.length) { throw new TypeError("There is no middleware to process requests."); } assert(isNetAddr(secureOrAddr) || typeof secureOrAddr === "undefined"); if (!NativeRequestCtor) { const { NativeRequest } = await import("./http_server_native_request.ts"); NativeRequestCtor = NativeRequest; } const contextRequest = new NativeRequestCtor(request, { remoteAddr: secureOrAddr, }); const context = new Context( this, contextRequest, this.#getContextState(), { secure, ...this.#contextOptions }, ); try { await this.#getComposed()(context); } catch (err) { this.#handleError(context, err); } if (context.respond === false) { context.response.destroy(); return; } try { const response = await context.response.toDomResponse(); context.response.destroy(false); return response; } catch (err) { this.#handleError(context, err); throw err; } }); /** Start listening for requests, processing registered middleware on each * request. If the options `.secure` is undefined or `false`, the listening * will be over HTTP. If the options `.secure` property is `true`, a * `.certFile` and a `.keyFile` property need to be supplied and requests * will be processed over HTTPS. */ async listen(addr: string): Promise<void>; /** Start listening for requests, processing registered middleware on each * request. If the options `.secure` is undefined or `false`, the listening * will be over HTTP. If the options `.secure` property is `true`, a * `.certFile` and a `.keyFile` property need to be supplied and requests * will be processed over HTTPS. * * Omitting options will default to `{ port: 0 }` which allows the operating * system to select the port. */ async listen(options?: ListenOptions): Promise<void>; async listen(options: string | ListenOptions = { port: 0 }): Promise<void> { if (!this.#middleware.length) { throw new TypeError("There is no middleware to process requests."); } for (const middleware of this.#middleware) { if (isMiddlewareObject(middleware) && middleware.init) { await middleware.init(); } } if (typeof options === "string") { const match = ADDR_REGEXP.exec(options); if (!match) { throw TypeError(`Invalid address passed: "${options}"`); } const [, hostname, portStr] = match; options = { hostname, port: parseInt(portStr, 10) }; } options = Object.assign({ port: 0 }, options); if (!this.#serverConstructor) { if (!DefaultServerCtor) { const { Server } = await (isBun() ? import("./http_server_bun.ts") : isNode() ? import("./http_server_node.ts") : import("./http_server_native.ts")); DefaultServerCtor = Server as ServerConstructor<ServerRequest>; } this.#serverConstructor = DefaultServerCtor; } const server = new this.#serverConstructor(this, options); const state = { closed: false, closing: false, handling: new Set<Promise<void>>(), server, }; const { signal } = options; if (signal) { signal.addEventListener("abort", () => { if (!state.handling.size) { state.closed = true; this.dispatchEvent(new ApplicationCloseEvent({})); } state.closing = true; }, { once: true }); } const { secure = false } = options; const serverType = this.#serverConstructor.type ?? "custom"; const listener = await server.listen(); const { hostname, port } = listener.addr; this.dispatchEvent( new ApplicationListenEvent({ hostname, listener, port, secure, serverType, }), ); try { for await (const request of server) { this.#handleRequest(request, secure, state); } await Promise.all(state.handling); } catch (error) { const message = error instanceof Error ? error.message : "Application Error"; this.dispatchEvent( new ApplicationErrorEvent({ message, error }), ); } } /** Register middleware to be used with the application. Middleware will * be processed in the order it is added, but middleware can control the flow * of execution via the use of the `next()` function that the middleware * function will be called with. The `context` object provides information * about the current state of the application. * * Basic usage: * * ```ts * const import { Application } from "jsr:@oak/oak/application"; * * const app = new Application(); * * app.use((ctx, next) => { * ctx.request; // contains request information * ctx.response; // setups up information to use in the response; * await next(); // manages the flow control of the middleware execution * }); * * await app.listen({ port: 80 }); * ``` */ use<S extends State = AS>( middleware: MiddlewareOrMiddlewareObject<S, Context<S, AS>>, ...middlewares: MiddlewareOrMiddlewareObject<S, Context<S, AS>>[] ): Application<S extends AS ? S : (S & AS)>; use<S extends State = AS>( ...middleware: MiddlewareOrMiddlewareObject<S, Context<S, AS>>[] ): Application<S extends AS ? S : (S & AS)> { this.#middleware.push(...middleware); this.#composedMiddleware = undefined; // deno-lint-ignore no-explicit-any return this as Application<any>; } [Symbol.for("Deno.customInspect")]( inspect: (value: unknown) => string, ): string { const { keys, proxy, state } = this; return `${this.constructor.name} ${ inspect({ "#middleware": this.#middleware, keys, proxy, state }) }`; } [Symbol.for("nodejs.util.inspect.custom")]( depth: number, // deno-lint-ignore no-explicit-any options: any, inspect: (value: unknown, options?: unknown) => string, // deno-lint-ignore no-explicit-any ): any { if (depth < 0) { return options.stylize(`[${this.constructor.name}]`, "special"); } const newOptions = Object.assign({}, options, { depth: options.depth === null ? null : options.depth - 1, }); const { keys, proxy, state } = this; return `${options.stylize(this.constructor.name, "special")} ${ inspect( { "#middleware": this.#middleware, keys, proxy, state }, newOptions, ) }`; } }