1

我在我的快速应用程序中使用消息警报中间件连接闪存。我可以在 github https://github.com/jaredhanson/connect-flash上找到这个中间件。
当我查看 connect-flash 源代码时,我真的不知道 this.session 对象来自哪里。考虑 connect-flash 源代码:

module.exports = function flash(options) {
  options = options || {};
  var safe = (options.unsafe === undefined) ? true : !options.unsafe;

  return function(req, res, next) {
    if (req.flash && safe) { return next(); }
    req.flash = _flash;
    next();
  }
}

function _flash(type, msg) {
  if (this.session === undefined) throw Error('req.flash() requires sessions');
  var msgs = this.session.flash = this.session.flash || {};
  if (type && msg) {
    // util.format is available in Node.js 0.6+
    if (arguments.length > 2 && format) {
      var args = Array.prototype.slice.call(arguments, 1);
      msg = format.apply(undefined, args);
    } else if (isArray(msg)) {
      msg.forEach(function(val){
        (msgs[type] = msgs[type] || []).push(val);
      });
      return msgs[type].length;
    }
    return (msgs[type] = msgs[type] || []).push(msg);
  } else if (type) {
    var arr = msgs[type];
    delete msgs[type];
    return arr || [];
  } else {
    this.session.flash = {};
    return msgs;
  }
}

要在 express 中实现,我必须包含在 app.configure 块中。考虑代码

app.configure(function () {
        //Other middleware
        app.use(function (req, res, next) {
            console.log(this.session);
            next();
        });
        app.use(flash());

看看我的自定义中间件,当我显示 this.session 对象时,我得到“未定义”。为什么连接闪存中的 this.session 可以工作,我得到了会话对象,但不在我的中间件中。创建中间件的回调模式完全相同

(function (req, res, next) {
        //Code
         next();
}
4

1 回答 1

1

会话对象由会话中间件添加。如果req.session未定义,您要么没有定义会话中间件,要么在您期望的中间件之后定义了它。

定义

  • 会话中间件
  • 自定义中间件:req.session 已定义

不明确的

  • 自定义中间件: req.session 未定义,因为该对象是稍后添加的。
  • 会话中间件

所以我的猜测是您在之后定义了 flash 中间件,express.session但您的自定义中间件是在之前定义的express.session

由于 express 只是一个函数数组(中间件),它对请求进行处理并返回响应,这意味着您定义这些函数的顺序很重要。

于 2013-08-09T18:12:01.693 回答