ここではドキュメントが少し薄いので、問題が発生しました。 Guardsを使用してコントローラーまたはアクションを保護しようとするため、認証されたリクエストの役割(JWTによる)を要求します。私のauth.guard.tsで「request.user」を要求しましたが、空なので、ユーザーの役割を確認できません。 「request.user」の定義方法がわかりません。これが私の認証モジュールで、それはインポートです。
auth.controller.ts
import { Controller, Get, UseGuards } from '@nestjs/common';
import { AuthGuard } from '@nestjs/passport';
import { AuthService } from './auth.service';
import { RolesGuard } from './auth.guard';
@Controller('auth')
export class AuthController {
constructor(private readonly authService: AuthService) {}
@Get('token')
async createToken(): Promise<any> {
return await this.authService.signIn();
}
@Get('data')
@UseGuards(RolesGuard)
findAll() {
return { message: 'authed!' };
}
}
roles.guard.ts
ここではuser.requestを定義していません。ドキュメントには、方法や場所は示されていません。
import { Injectable, CanActivate, ExecutionContext } from '@nestjs/common';
import { Reflector } from '@nestjs/core';
@Injectable()
export class RolesGuard implements CanActivate {
constructor(private readonly reflector: Reflector) {}
canActivate(context: ExecutionContext): boolean {
const roles = this.reflector.get<string[]>('roles', context.getHandler());
if (!roles) {
return true;
}
const request = context.switchToHttp().getRequest();
const user = request.user; // it's undefined
const hasRole = () =>
user.roles.some(role => !!roles.find(item => item === role));
return user && user.roles && hasRole();
}
}
auth.module.ts
import { Module } from '@nestjs/common';
import { AuthService } from './auth.service';
import { HttpStrategy } from './http.strategy';
import { UserModule } from './../user/user.module';
import { AuthController } from './auth.controller';
import { JwtStrategy } from './jwt.strategy';
import { PassportModule } from '@nestjs/passport';
import { JwtModule } from '@nestjs/jwt';
@Module({
imports: [
PassportModule.register({ defaultStrategy: 'jwt' }),
JwtModule.register({
secretOrPrivateKey: 'secretKey',
signOptions: {
expiresIn: 3600,
},
}),
UserModule,
],
providers: [AuthService, HttpStrategy],
controllers: [AuthController],
})
export class AuthModule {}
auth.service.ts
import { Injectable } from '@nestjs/common';
import { UserService } from '../user/user.service';
import { JwtService } from '@nestjs/jwt';
@Injectable()
export class AuthService {
constructor(
private readonly userService: UserService,
private readonly jwtService: JwtService,
) {}
async signIn(): Promise<object> {
// In the real-world app you shouldn't expose this method publicly
// instead, return a token once you verify user credentials
const user: any = { email: '[email protected]' };
const token: string = this.jwtService.sign(user);
return { token };
}
async validateUser(payload: any): Promise<any> {
// Validate if token passed along with HTTP request
// is associated with any registered account in the database
return await this.userService.findOneByEmail(payload.email);
}
}
jwt.strategy.ts
import { ExtractJwt, Strategy } from 'passport-jwt';
import { AuthService } from './auth.service';
import { PassportStrategy } from '@nestjs/passport';
import { Injectable, UnauthorizedException } from '@nestjs/common';
@Injectable()
export class JwtStrategy extends PassportStrategy(Strategy) {
constructor(private readonly authService: AuthService) {
super({
jwtFromRequest: ExtractJwt.fromAuthHeaderAsBearerToken(),
secretOrKey: 'secretKey',
});
}
async validate(payload: any) {
const user = await this.authService.validateUser(payload);
if (!user) {
throw new UnauthorizedException();
}
return user;
}
}
ドキュメント: https://docs.nestjs.com/guards
助けてくれてありがとう。
RolesGuard
に加えて、AuthGuard
を使用する必要があります。
ユーザーオブジェクトをリクエストに添付する標準のAuthGuard
実装を使用できます。ユーザーが認証されていない場合は、401エラーがスローされます。
@UseGuards(AuthGuard('jwt'))
異なる動作が必要なために独自のガードを作成する必要がある場合は、元のAuthGuard
を拡張し、変更する必要があるメソッド(例ではhandleRequest
)をオーバーライドします。
@Injectable()
export class MyAuthGuard extends AuthGuard('jwt') {
handleRequest(err, user, info: Error) {
// don't throw 401 error when unauthenticated
return user;
}
}
AuthGuard
の- ソースコード を見ると、passportメソッドへのコールバックとしてユーザーをリクエストにアタッチしていることがわかります。 AuthGuard
を使用/拡張したくない場合は、関連する部分を実装/コピーする必要があります。
const user = await passportFn(
type || this.options.defaultStrategy,
options,
// This is the callback passed to passport. handleRequest returns the user.
(err, info, user) => this.handleRequest(err, info, user)
);
// Then the user object is attached to the request
// under the default property 'user' which you can change by configuration.
request[options.property || defaultOptions.property] = user;
req.authInfo
を使用すると機能しますか?
Passport.authenticateメソッドにカスタムコールバックを提供しない限り、ユーザーデータは次のようにリクエストオブジェクトにアタッチする必要があります。
req.authInfo
は、validate
メソッドで返されたオブジェクトである必要があります
複数のガード(@UseGuards(AuthGuard( 'jwt')、RolesGuard))を一緒にアタッチして、それらの間でコンテキストを渡すことができます。次に、「RolesGuard」内の「req.user」オブジェクトにアクセスします。