安全与日志
安全与日志
系统安全
Helmet
$ npm i --save helmet
import * as helmet from 'helmet';
// somewhere in your initialization file
app.use(helmet());
CORS
跨域资源共享(CORS)是一种允许从另一个域请求资源的机制。在底层,
const app = await NestFactory.create(ApplicationModule);
app.enableCors();
await app.listen(3000);
const app = await NestFactory.create(ApplicationModule, { cors: true });
await app.listen(3000);
CSRF
跨站点请求伪造(称为
$ npm i --save csurf
import * as csurf from 'csurf';
// somewhere in your initialization file
app.use(csurf());
Rate limiting
为了保护您的应用程序免受暴力攻击,您必须实施某种速率限制。幸运的是,
import * as rateLimit from "express-rate-limit";
// somewhere in your initialization file
app.use(
rateLimit({
windowMs: 15 * 60 * 1000, // 15 minutes
max: 100 // limit each IP to 100 requests per windowMs
})
);
日志
@nestjs/common
包中的
- 完全禁用日志记录
- 详细说明日志级别(例如,显示错误,警告,调试信息等)
- 完全覆盖默认记录器
- 通过扩展默认自定义记录器
- 利用依赖注入简化应用程序的编写和测试
您还可以使用内置记录器,或创建自己的自定义实现,以记录自己的应用程序级事件和消息。
内置Logger
要禁用日志记录,请在(可选)作为第二个参数传递给
const app = await NestFactory.create(ApplicationModule, {
logger: false
});
const app = await NestFactory.create(ApplicationModule, {
logger: ["error", "warn"]
});
await app.listen(3000);
我们也可以自定义日志类:
// 使用 console
const app = await NestFactory.create(ApplicationModule, {
logger: console
});
// 自定义日志类
import { LoggerService } from "@nestjs/common";
export class MyLogger implements LoggerService {
log(message: string) {
/* your implementation */
}
error(message: string, trace: string) {
/* your implementation */
}
warn(message: string) {
/* your implementation */
}
debug(message: string) {
/* your implementation */
}
verbose(message: string) {
/* your implementation */
}
}
const app = await NestFactory.create(ApplicationModule, {
logger: new MyLogger()
});
Winston
首先安装依赖:
$ npm install --save nest-winston winston
将
import { Module } from "@nestjs/common";
import { WinstonModule } from "nest-winston";
import * as winston from "winston";
@Module({
imports: [
WinstonModule.forRoot({
// options
})
]
})
export class AppModule {}
之后,可以使用
import { Controller, Inject } from "@nestjs/common";
import { Logger } from "winston";
@Controller("cats")
export class CatsController {
constructor(@Inject("winston") private readonly logger: Logger) {}
}
请注意,
异步配置
也许您需要异步传递模块选项,例如在需要配置服务时。在这种情况下,请使用
import { Module } from "@nestjs/common";
import { WinstonModule } from "nest-winston";
import * as winston from "winston";
@Module({
imports: [
WinstonModule.forRootAsync({
useFactory: () => ({
// options
}),
inject: []
})
]
})
export class AppModule {}
工厂可能是异步的,可以使用
WinstonModule.forRootAsync({
useClass: WinstonConfigService
});