This repository has been archived on 2023-06-09. You can view files and clone it, but cannot push or open issues or pull requests.
deno-http/mod.ts

408 lines
11 KiB
TypeScript
Raw Normal View History

2023-05-10 12:21:20 +00:00
import {
Status,
STATUS_TEXT,
} from "https://deno.land/std@0.186.0/http/http_status.ts";
2023-05-10 12:57:29 +00:00
import * as path from "https://deno.land/std@0.185.0/path/mod.ts";
import * as cookie from "https://deno.land/std@0.185.0/http/cookie.ts";
2023-05-10 12:21:20 +00:00
type ListenOptions = {
port: number;
host?: string;
2023-05-10 12:57:29 +00:00
staticLocalDir?: string;
staticServePath?: string;
2023-05-10 12:21:20 +00:00
};
type HTTPMethod = "GET" | "POST" | "PUSH" | "DELETE";
type RouteHandler = (
req: RouteRequest,
2023-05-10 12:21:20 +00:00
rep: RouteReply,
) =>
| Promise<unknown>
| unknown;
2023-05-11 11:11:14 +00:00
type RouteMiddlewareHandler = (
req: RouteRequest,
done: () => Promise<unknown>,
) => Promise<void>;
2023-05-11 11:11:14 +00:00
type RouteParam = {
2023-05-11 04:46:41 +00:00
idx: number;
paramKey: string;
};
2023-05-10 12:21:20 +00:00
export class HTTPServer {
private server?: Deno.Listener;
private routes = new Map<string, Route>();
2023-05-10 12:57:29 +00:00
private staticLocalDir?: string;
private staticServePath?: string;
2023-05-11 07:32:18 +00:00
private notFoundHandler?: RouteHandler;
private middlewareHandler?: RouteMiddlewareHandler;
2023-05-10 12:21:20 +00:00
async listen(options: ListenOptions) {
this.server = Deno.listen({
port: options.port,
hostname: options.host,
});
2023-05-10 13:00:17 +00:00
console.log(
`Listening on ${
options.host ? options.host : "http://localhost"
}:${options.port} !`,
);
2023-05-10 12:57:29 +00:00
if (options.staticLocalDir && options.staticServePath) {
this.staticLocalDir = options.staticLocalDir;
this.staticServePath = options.staticServePath;
}
2023-05-10 12:21:20 +00:00
for await (const conn of this.server) {
2023-05-10 17:03:24 +00:00
this.handleHttp(conn);
}
}
private async handleNotFound(
request: RouteRequest,
reply: RouteReply,
requestEvent: Deno.RequestEvent,
) {
if (this.notFoundHandler) {
reply.status(Status.NotFound);
reply.type("application/json");
const notNoundHandle = await this.notFoundHandler(
request,
reply,
);
await requestEvent.respondWith(
new Response(notNoundHandle as string, {
status: reply.statusCode,
headers: reply.headers,
statusText: STATUS_TEXT[reply.statusCode],
}),
);
} else {
await requestEvent.respondWith(
new Response(
JSON.stringify({
code: 404,
message: `File ${request.path} not found!`,
}),
{
status: Status.NotFound,
headers: {
"Content-Type": "application/json",
},
},
),
);
}
}
2023-05-11 04:46:41 +00:00
private async handleHttp(conn: Deno.Conn) {
2023-05-10 17:03:24 +00:00
const httpConn = Deno.serveHttp(conn);
2023-05-11 04:46:41 +00:00
for await (const requestEvent of httpConn) {
const filepath = decodeURIComponent(
"/" + requestEvent.request.url.split("/").slice(3).join("/"),
);
const routeRequest = new RouteRequest(
requestEvent.request,
conn,
filepath,
requestEvent.request.url,
);
2023-05-11 07:32:18 +00:00
const routeReply: RouteReply = new RouteReply();
if (filepath.startsWith("/_static")) {
this.handleNotFound(routeRequest, routeReply, requestEvent);
continue;
}
2023-05-11 11:11:14 +00:00
let resolveAction: (value?: unknown) => void = () => {};
let middlewarePromise;
if (this.middlewareHandler) {
2023-05-11 11:11:14 +00:00
middlewarePromise = (): Promise<unknown> => {
return new Promise((resolve) => {
resolveAction = resolve;
});
};
this.middlewareHandler(routeRequest, middlewarePromise);
}
2023-05-11 04:46:41 +00:00
if (this.staticServePath && filepath.startsWith(this.staticServePath)) {
const fileDir = filepath.split("/").slice(2).join("/");
const pathLoc = path.join(
Deno.cwd(),
this.staticLocalDir as string,
fileDir,
);
let file;
try {
file = await Deno.open(pathLoc, { read: true });
} catch {
2023-05-11 11:11:14 +00:00
if (middlewarePromise) resolveAction();
this.handleNotFound(routeRequest, routeReply, requestEvent);
2023-05-11 04:46:41 +00:00
continue;
2023-05-10 12:21:20 +00:00
}
2023-05-11 04:46:41 +00:00
const readableStream = file.readable;
const response = new Response(readableStream);
2023-05-11 11:11:14 +00:00
if (middlewarePromise) resolveAction();
await requestEvent.respondWith(response);
2023-05-11 04:46:41 +00:00
return;
}
2023-05-11 04:46:41 +00:00
const routeName = `${requestEvent.request.method}@${filepath}`;
let route = this.routes.get(routeName);
2023-05-11 04:46:41 +00:00
if (route) {
2023-05-11 09:53:28 +00:00
let handler = await route.handler(
2023-05-11 04:46:41 +00:00
routeRequest,
routeReply,
);
2023-05-11 09:53:28 +00:00
if (typeof (handler) == "object") {
handler = JSON.stringify(handler, null, 2);
}
if (middlewarePromise) resolveAction();
2023-05-11 04:46:41 +00:00
await requestEvent.respondWith(
new Response(handler as string, {
status: routeReply.statusCode,
headers: routeReply.headers,
statusText: STATUS_TEXT[routeReply.statusCode],
}),
);
continue;
}
route = Array.from(this.routes.values()).find((route) =>
routeWithParamsRouteMatcher(routeRequest, route)
);
if (route) {
const routeParamsMap: RouteParam[] = extractRouteParams(route.path);
const routeSegments: string[] = filepath.split("/");
routeRequest.pathParams = routeParamsMap.reduce(
2023-05-11 05:12:51 +00:00
(accum: { [key: string]: string }, curr: RouteParam) => {
2023-05-11 04:46:41 +00:00
return {
...accum,
[curr.paramKey]: routeSegments[curr.idx],
};
},
{},
);
const handler = await route.handler(
routeRequest,
routeReply,
);
if (middlewarePromise) resolveAction();
2023-05-11 04:46:41 +00:00
await requestEvent.respondWith(
new Response(handler as string, {
status: routeReply.statusCode,
headers: routeReply.headers,
statusText: STATUS_TEXT[routeReply.statusCode],
}),
);
continue;
2023-05-10 12:21:20 +00:00
}
2023-05-11 11:11:14 +00:00
if (middlewarePromise) resolveAction();
this.handleNotFound(routeRequest, routeReply, requestEvent);
2023-05-11 04:46:41 +00:00
}
2023-05-10 12:21:20 +00:00
}
2023-05-11 08:29:21 +00:00
close() {
if (this.server) {
this.server.close();
}
}
middleware(handler: RouteMiddlewareHandler) {
this.middlewareHandler = handler;
}
2023-05-11 07:32:18 +00:00
error(handler: RouteHandler) {
this.notFoundHandler = handler;
}
2023-05-10 12:21:20 +00:00
get(path: string, handler: RouteHandler) {
this.add("GET", path, handler);
}
post(path: string, handler: RouteHandler) {
this.add("POST", path, handler);
}
push(path: string, handler: RouteHandler) {
this.add("PUSH", path, handler);
}
delete(path: string, handler: RouteHandler) {
this.add("DELETE", path, handler);
}
add(method: HTTPMethod, path: string, handler: RouteHandler) {
const route = new Route(path, method, handler);
2023-05-10 13:28:00 +00:00
if (this.routes.has(route.routeName)) {
console.log(`${route.routeName} already registered!`);
return;
}
2023-05-10 12:21:20 +00:00
this.routes.set(route.routeName, route);
console.log(`${route.routeName} added`);
}
}
2023-05-11 04:46:41 +00:00
export const routeWithParamsRouteMatcher = (
req: RouteRequest,
route: Route,
): boolean => {
const routeMatcherRegEx = new RegExp(`^${routeParamPattern(route.path)}$`);
return (
2023-05-11 06:11:11 +00:00
req.method as HTTPMethod === route.method &&
2023-05-11 04:46:41 +00:00
route.path.includes("/:") &&
routeMatcherRegEx.test(req.path)
);
};
export const routeParamPattern: (route: string) => string = (route) =>
route.replace(/\/\:[^/]{1,}/gi, "/[^/]{1,}").replace(/\//g, "\\/");
export const extractRouteParams: (route: string) => RouteParam[] = (route) =>
route.split("/").reduce((accum: RouteParam[], curr: string, idx: number) => {
if (/:[A-Za-z1-9]{1,}/.test(curr)) {
const paramKey: string = curr.replace(":", "");
const param: RouteParam = { idx, paramKey };
return [...accum, param];
}
return accum;
}, []);
2023-05-10 12:21:20 +00:00
export class Route {
routeName: string;
path: string;
method: HTTPMethod;
handler: RouteHandler;
constructor(path: string, method: HTTPMethod, handler: RouteHandler) {
this.path = path;
this.method = method;
this.routeName = `${method}@${path}`;
this.handler = handler;
}
}
export class RouteRequest {
2023-05-11 04:46:41 +00:00
url: string;
path: string;
headers: Headers;
2023-05-11 06:11:11 +00:00
method: HTTPMethod;
2023-05-11 05:03:10 +00:00
queryParams: { [key: string]: string };
pathParams: { [key: string]: string };
2023-05-11 10:33:57 +00:00
private remoteIpAddr: string;
constructor(request: Request, conn: Deno.Conn, path: string, url: string) {
this.url = url;
this.path = decodeURIComponent(path);
this.headers = request.headers;
2023-05-11 06:11:11 +00:00
this.method = request.method as HTTPMethod;
2023-05-11 04:46:41 +00:00
this.pathParams = {};
this.queryParams = this.paramsToObject(new URL(url).searchParams.entries());
2023-05-11 10:33:57 +00:00
this.remoteIpAddr = "hostname" in conn.remoteAddr
? conn.remoteAddr["hostname"]
: "127.0.0.1";
}
2023-05-11 05:03:10 +00:00
private paramsToObject(entries: IterableIterator<[string, string]>) {
const result: { [key: string]: string } = {};
for (const [key, value] of entries) {
result[key] = value;
}
return result;
}
2023-05-11 10:33:57 +00:00
ip() {
const cfConnectingIp: string = this.header("cf-connecting-ip") as string;
if (cfConnectingIp && cfConnectingIp.length > 0) return cfConnectingIp;
const xRealIp: string = this.header("x-real-ip") as string;
if (xRealIp && xRealIp.length > 0) xRealIp;
const xForwardedFor: string = this.header("x-forwarded-For") as string;
if (xForwardedFor && xForwardedFor.length > 0) return xForwardedFor;
return this.remoteIpAddr;
}
2023-05-11 05:03:10 +00:00
header(name: string): unknown {
const matchingHeader = Array.from(this.headers.keys()).find((headerName) =>
headerName === name
);
return matchingHeader ? this.headers.get(matchingHeader) : undefined;
}
2023-05-11 05:03:10 +00:00
cookie(name: string): unknown {
const allCookies = cookie.getCookies(this.headers);
const allCookieNames = Object.keys(allCookies);
return allCookieNames.includes(name) ? allCookies[name] : undefined;
}
2023-05-11 05:03:10 +00:00
pathParam(name: string): string {
return this.pathParams[name];
}
queryParam(name: string): string {
return this.queryParams[name];
}
}
2023-05-10 12:21:20 +00:00
export class RouteReply {
headers: Headers = new Headers();
statusCode: Status = Status.OK;
header(name: string, value: string): RouteReply {
this.headers.set(name, value);
return this;
2023-05-10 12:21:20 +00:00
}
status(code: Status): RouteReply {
this.statusCode = code;
return this;
}
type(type: string): RouteReply {
this.header("Content-Type", type);
return this;
}
cookie(name: string, value: string, attributes?: {
expires?: Date | number;
maxAge?: number;
domain?: string;
path?: string;
secure?: boolean;
httpOnly?: boolean;
sameSite?: "Strict" | "Lax" | "None";
unparsed?: string[];
2023-05-11 04:46:41 +00:00
}): RouteReply {
if (!value) {
cookie.deleteCookie(this.headers, name, {
domain: attributes?.domain,
path: attributes?.path,
});
} else {
cookie.setCookie(this.headers, {
name: name,
value: value,
expires: attributes?.expires,
maxAge: attributes?.maxAge,
domain: attributes?.domain,
path: attributes?.path,
secure: attributes?.secure,
httpOnly: attributes?.httpOnly,
sameSite: attributes?.sameSite,
unparsed: attributes?.unparsed,
});
}
2023-05-11 04:46:41 +00:00
return this;
}
2023-05-11 04:46:41 +00:00
}