其他分享
首页 > 其他分享> > express 中间件

express 中间件

作者:互联网


const express = require('express'); const app = express(); // 定义中间件函数 const mw = function(req, res, next){ console.log('简单的中间件函数'); //把流转关系,转交给下一个中间件或路由 next(); } // 将 mw 注册为全局生效的中间件 app.use(mw);

// 全局中间件 // 上面两个合并之后的全局生效的中间件 /* app.use(function(req,res,next){     console.log('简单的中间件函数');     next(); }) */


 app.get('/',(req,res)=>{      res.send('home page.'+req.setTime);  })    app.get('/user',(req,res)=>{      res.send('User page.'+req.setTime);  })
 app.listen(80, ()=>{      console.log('http://127.0.0.1')  })

 

多个中间件

// 第一个中间件
app.use(function(req,res,next){

    // 获取到请求到达服务器的时间
    const time = Date.now();

    req.setTime = time;
    console.log('调用了第一个中间件');
    next();
})

// 第二个中间件
app.use(function(req,res,next){

    console.log('调用了第二个中间件');
    next();
})

// 第三个中间件
app.use(function(req,res,next){

    console.log('调用了第三个中间件');
    next();
})

 

局部生效的中间件

 const mw1 = function(req, es, next){
    console.log('局部中间件_1');
    next();
}
const mw2 = function(req, es, next){
    console.log('局部中间件_2');
    next();
}
// 加了中间件参数(可以写多个 app.get('/', mw1,mw2, (req,res)=>{}) )
app.get('/', [mw1,mw2], (req,res)=>{
    res.send('home page.');
}) 
    // app.get里面调用了mw1, 所有局部中间件生效,而/user 就无法生效

 

注意事项:

        1. 在路由之前注册中间件         2. 客户端发送过来的请求,可以连续调用多个中间件进行处理         3. 不要在执行玩中间件业务代码之后,不要忘记调用 next() 函数         4. 防止代码逻辑混乱,调用 next() 函数后不要再写额外的代码         5. 连续调用多个中间件时,多个中间件,共享 req 和 res 对象

标签:req,log,res,app,express,中间件,next
来源: https://www.cnblogs.com/wh024/p/16667514.html