Notes/src/routes/error_handlers.ts

50 lines
1.5 KiB
TypeScript
Raw Normal View History

import type { Application, NextFunction, Request, Response } from "express";
import log from "../services/log.js";
import NotFoundError from "../errors/not_found_error.js";
import ForbiddenError from "../errors/forbidden_error.js";
import HttpError from "../errors/http_error.js";
2023-05-07 15:23:46 +02:00
function register(app: Application) {
app.use((err: unknown | Error, req: Request, res: Response, next: NextFunction) => {
const isCsrfTokenError = typeof err === "object"
&& err
&& "code" in err
&& err.code === "EBADCSRFTOKEN";
if (isCsrfTokenError) {
log.error(`Invalid CSRF token: ${req.headers["x-csrf-token"]}, secret: ${req.cookies["_csrf"]}`);
return next(new ForbiddenError("Invalid CSRF token"));
2023-05-07 15:23:46 +02:00
}
return next(err);
2023-05-07 15:23:46 +02:00
});
// catch 404 and forward to error handler
app.use((req, res, next) => {
const err = new NotFoundError(`Router not found for request ${req.method} ${req.url}`);
2023-05-07 15:23:46 +02:00
next(err);
});
// error handler
app.use((err: unknown | Error, req: Request, res: Response, _next: NextFunction) => {
const statusCode = (err instanceof HttpError) ? err.statusCode : 500;
const errMessage = (err instanceof Error && statusCode !== 404)
? err
: `${statusCode} ${req.method} ${req.url}`;
2023-05-07 15:23:46 +02:00
log.info(errMessage);
res.status(statusCode).send({
message: err instanceof Error ? err.message : "Unknown Error"
2023-05-07 15:23:46 +02:00
});
2023-05-07 15:23:46 +02:00
});
}
export default {
2023-05-07 15:23:46 +02:00
register
};