我有以下控制器。
@controller('/users')
class UsersController {
@httpGet('/', authMiddleware({ role: 'ADMIN' }))
public get() { ... }
}
我已经实现了一个自定义的AuthenticationProvider,它返回一个主体,该主体包含有关当前经过身份验证的用户的详细信息,包括用户的角色。
....
return new Principal({
firstName: "John",
lastName: "Smit",
roles: ["ADMIN"]
});
...
一切正常,但是我想知道如何从上述GET路由所使用的authMiddleware中检索主体。
目前,我有一个丑陋的骇客,它使用InversifyJS的内部结构。
function authMiddlewareFactory() {
return (config: { role: string }) => {
return (
req: express.Request,
res: express.Response,
next: express.NextFunction
): void => {
const httpContext: interfaces.HttpContext =
Reflect.getMetadata(
"inversify-express-utils:httpcontext",
req
);
const principal: interfaces.Principal = httpContext.user;
if (!principal.isInRole(config.role)) {
res.sendStatus(HttpStatus.UNAUTHORIZED);
return;
}
next();
};
};
}
自定义身份验证提供程序使用授权标头对用户进行身份验证并返回主体。我不想在中间件中再次进行这项工作,我只想检索主体。
此hack可行,但我想知道是否有人知道在此中间件中获取HttpContext的更简单方法。
我知道,如果您从BaseMiddleware进行扩展,则可以访问HttpContext,从而可以访问主体(用户),但是我不清楚如何将配置(参数)传递给它,例如所需的角色。与InversifyJS上的以下问题有关。
答案 0 :(得分:1)
不支持此功能,但是我可以理解为什么需要它。我们不能将httpContext作为参数传递给中间件,因为我们要保持标准Express中间件的兼容性。这意味着唯一的选择是执行与您已完成的操作类似的操作,但理想情况下,我们应该使用一些帮助程序将其封装。
我们需要实现类似以下getHttpContext
函数的内容:
import * as express from "express";
import { getHttpContext } from "inversify-express-utils";
function authMiddlewareFactory() {
return (config: { role: string }) => {
return (
req: express.Request,
res: express.Response,
next: express.NextFunction
): void => {
const httpContext = getHttpContext(req);
const principal: interfaces.Principal = httpContext.user;
if (!principal.isInRole(config.role)) {
res.sendStatus(HttpStatus.UNAUTHORIZED);
return;
}
next();
};
};
}
在实施该方法之前,除了无用内部构件的信息泄漏之外,您的实施没有其他问题。