当然还有很多nest
的配置,队列,任务调度,缓存,验证等,这里只介绍最常用的。
验证
文档
举个例子来说,后端添加用户功能,肯定有很多字段是必填的,那不能每个字段都去校验吧,那么这一功能的判断就很多很多了,并且后面维护起来相当麻烦, 为了解决这一麻烦那么刚好可以使用内置的校验
1
| pnpm add class-validator class-transformer
|
注册
在 app.module.ts
中:
1 2 3 4 5 6 7 8 9 10 11
| import { Module, ValidationPipe } from '@nestjs/common'; @Module({ providers: [ provide: APP_PIPE, useValue: new ValidationPipe({ transform: true, whitelist: true, forbidNonWhitelisted: true, }), ], })
|
使用
1 2 3 4 5 6 7 8 9
| import { IsEmail, IsNotEmpty } from "class-validator";
export class CreateUserDto { @IsEmail() email: string;
@IsNotEmpty({ message: "密码不能为空" }) password: string; }
|
1 2 3 4 5 6 7 8 9 10
| import { Body } from "@nestjs/common"; @Controller() export class AppController { constructor(private readonly appService: AppService) {}
@Post("/create") create(@Body() user: CreateUserDto) { return "success"; } }
|
这样就避免了大量的判断了;
速率限制
文档
保护应用免受暴力攻击的常用技术是限速。首先,你需要安装 @nestjs/throttler 包。
安装
1
| pnpm add @nestjs/throttler
|
使用
安装完成后,可以使用 forRoot
或 forRootAsync
方法将 ThrottlerModule
配置为任何其他 Nest
包。
1 2 3 4 5 6 7 8 9 10 11
| @Module({ imports: [ ThrottlerModule.forRoot([ { ttl: 60000, limit: 10, }, ]), ], }) export class AppModule {}
|
任务调度
文档
任务调度允许你安排任意代码(方法/函数)在固定日期/时间、重复间隔或在指定间隔后执行一次
安装
1
| pnpm add @nestjs/schedule
|
使用
1 2 3 4 5 6 7
| import { Module } from "@nestjs/common"; import { ScheduleModule } from "@nestjs/schedule";
@Module({ imports: [ScheduleModule.forRoot()], }) export class AppModule {}
|
定时任务
1 2 3 4 5 6 7 8 9 10 11 12
| import { Injectable, Logger } from "@nestjs/common"; import { Cron } from "@nestjs/schedule";
@Injectable() export class TasksService { private readonly logger = new Logger(TasksService.name);
@Cron("45 * * * * *") handleCron() { this.logger.debug("Called when the current second is 45"); } }
|