Nestjs中的中间件

发布于 5 年前 作者 phonegap100 2373 次浏览 最后一次编辑是 5 年前 来自 分享

一、关于Nextjs中间件

通俗的讲:中间件就是匹配路由之前或者匹配路由完成做的一系列的操作。中间件中如果想往下匹配的话,那么需要写 next()

Nestjs的中间件实际上等价于 express 中间件。 下面是Express官方文档中所述的中间件功能: 中间件函数可以执行以下任务: 2.png

执行任何代码。 对请求和响应对象进行更改。 结束请求-响应周期。 调用堆栈中的下一个中间件函数。 如果当前的中间件函数没有结束请求-响应周期, 它必须调用 next() 将控制传递给下一个中间件函数。否则, 请求将被挂起。

Nest 中间件可以是一个函数,也可以是一个带有 @Injectable() 装饰器的类

二、Nestjs中创建使用中间件

1、创建中间件

nest g middleware init

import { Injectable, NestMiddleware } from '@nestjs/common';
[@Injectable](/user/Injectable)()
export class InitMiddleware implements NestMiddleware {
  use(req: any, res: any, next: () => void) {
    console.log('init');
    next();
  }
}

2、配置中间件

在app.module.ts中继承NestModule然后配置中间件


export class AppModule implements NestModule {
  configure(consumer: MiddlewareConsumer) {
    consumer
      .apply(InitMiddleware)
     
      .forRoutes({ path: '*', method: RequestMethod.ALL })

      .apply(NewsMiddleware).
      
       forRoutes({ path: 'news', method: RequestMethod.ALL })


       .apply(UserMiddleware).
       
      forRoutes({ path: 'user', method: RequestMethod.GET },{ path: '', method: RequestMethod.GET });
  }
}

三、多个中间件


consumer.apply(cors(), helmet(), logger).forRoutes(CatsController);

四、函数式中间件

export function logger(req, res, next) {
  console.log(`Request...`);
  next();
};

五、全局中间件


const app = await NestFactory.create(ApplicationModule);
app.use(logger);
await app.listen(3000);

回到顶部