I am trying to create a new extended interface
for express.RequestHandler
but this error seems to come up. I cannot understand why.
JavaScript
x
2
1
An interface can only extend an identifier/qualified-name with optional type arguments. ts(2499)
2
The express.RequestHandler
interface does not support async functions. It says
JavaScript
1
2
1
The return type of an async function or method must be the global Promise<T> type. Did you mean to write 'Promise<RequestHandler<ParamsDictionary, any, any, ParsedQs, Record<string, any>>>'?ts(1064)
2
Here are my interfaces
JavaScript
1
10
10
1
export interface IRequest extends express.Request {
2
user: IUser;
3
}
4
5
export interface IRequestHandler extends RequestHandler = (
6
req: IRequest,
7
res: express.Response,
8
next: express.NextFunction
9
) => void | Promise<void>;
10
Advertisement
Answer
It seems you are trying to extend the express.Request
interface.
Try:
JavaScript
1
16
16
1
import { NextFunction, Request, Response } from 'express';
2
3
interface IUser {
4
name: string;
5
}
6
7
declare module 'express' {
8
interface Request {
9
user: IUser;
10
}
11
}
12
13
const controller = async (req: Request, res: Response, next: NextFunction) => {
14
console.log(req.user);
15
};
16