关于前端:express中间件原理connect

不晓得用了express.js的你有没有这样的疑难:

  • app.use为什么能够增加一个又一个中间件?
  • connect是如何辨别一般中间件和谬误中间件的?
  • 中间件处理函数中的next指代的又是什么?

我简略看了一下connect源码,弄清楚了下面的这3个问题。

app.use为什么能够增加一个又一个中间件?

app.use(function middleware1(req, res, next) {
  // middleware 1
  next();
});
app.use(function middleware2(req, res, next) {
  // middleware 2
  next();
});

connect保护了一个中间件栈(middleware stack)

数据结构:栈(stack)

每次调用use,都会向这个利用(app)实例的栈(stack)推入一个带门路和处理函数的对象。

源码:

function createServer() {
  function app(req, res, next){ app.handle(req, res, next); }
  // ...
  app.stack = []; // 留神这里
  return app;
}
proto.use = function use(route, fn) {
  var handle = fn;
  var path = route;
  // ...
  // add the middleware
  this.stack.push({ route: path, handle: handle });

  return this;
};

connect是如何辨别一般中间件和谬误中间件的?

// regular middleware
app.use(function (req, res, next) {
  next(new Error('boom!'));
});

// error middleware
app.use(function onerror(err, req, res, next) {
  // an error occurred!
});

JavaScript的函数的长度属性:length。

这么说可能比拟绕,看上面这个例子就懂了。

例如

function test1(foo,bar){ }
test.length // 2

function test2(foo,bar,baz){ }
test.length // 3

connect正是通过中间件处理函数的形参长度来辨别出一般中间件和谬误中间件的。

function call(handle, route, err, req, res, next) {
  var arity = handle.length;
  var error = err;
  var hasError = Boolean(err);

  try {
    if (hasError && arity === 4) {
      // error-handling middleware
      handle(err, req, res, next);
      return;
    } else if (!hasError && arity < 4) {
      // request-handling middleware
      handle(req, res, next);
      return;
    }
  } catch (e) {
    // replace the error
    error = e;
  }

  // continue
  next(error);
}

看了源码,官网文档对错误处理中间件形容skipping any error middleware above that middleware and any non-error middleware below的解释其实也懂了:

  • 跳过后面的所有谬误中间件:index值是递增的,申请只走前面的谬误中间件
  • 跳过前面的非异样解决中间件:异样中间件两个条件都满足申请会进入,非异样中间件因为hasError为true因而申请不会进入

只能有一个异样解决中间件吗?
能够有多个。(官网文档+亲测)

app.use(logErrors)
app.use(clientErrorHandler)
app.use(errorHandler)
// error middleware one
app.use(function onerror(err, req, res, next) {
  // an error occurred!
  next(err) // 留神要这么写,next()进入不到下一个异样解决中间件
});
// error middleware two
app.use(function onerror(err, req, res, next) {
  // an error occurred!
});

中间件处理函数中的next指代的又是什么?

指代的是栈中的下一个中间件。

proto.handle = function handle(req, res, out) {
  var index = 0;
  var stack = this.stack;
  // ...
  function next(err) {
    // next callback
    var layer = stack[index++];

    // call the layer handle
    call(layer.handle, route, err, req, res, next);
  }

  next();
};

通过下面代码能够看出,每次调用next()函数,会执行index++,layer为middleware stack中的下一个中间件。

其中layer.handle来自于this.stack.push({ route: path, handle: handle });

期待和大家交换,共同进步,欢送大家退出我创立的与前端开发密切相关的技术探讨小组:

  • 微信公众号: 生存在浏览器里的咱们 / excellent_developers
  • Github博客: 趁你还年老233的集体博客
  • SegmentFault专栏:趁你还年老,做个优良的前端工程师

致力成为优良前端工程师!

评论

发表回复

您的邮箱地址不会被公开。 必填项已用 * 标注

这个站点使用 Akismet 来减少垃圾评论。了解你的评论数据如何被处理