3

我正在创建要在 app.router 之后调用的中间件,并且我需要访问由路由中间件和路由处理程序存储在 res.locals 对象中的数据。

//...
app.use(app.router);
app.use(myMiddleware);
//...

app.get('/', function(req, res) {
    res.locals.data = 'some data';
});

function myMiddleware(req, res, next) {
    if (res.locals.data)
        console.log('there is data');
    else
        console.log('data is removed'); // that's what happens
}

问题是在 app.router 之后 res.locals 的所有属性都变空了。

我试图找到 express 或 connect 清理 res.locals 以某种方式修补它的地方,但到目前为止我找不到它。

我目前看到的唯一解决方案是放弃将这个逻辑放在单独的中间件中的想法,并将其放在特定于路由的中间件中,其中 res.locals 可用,但它会使系统更加互连。此外,我有许多路由中间件不会调用 next 的路由(当调用 res.redirect 时),因此我必须进行许多更改才能使其正常工作。我非常想避免它并将这个逻辑放在一个单独的中间件中,但我需要访问存储在 res.locals 中的数据。

任何帮助都非常感谢。

4

1 回答 1

5

您可以在之前绑定它,但让它在之后执行。logger中间件就是一个例子。

app.use(express.logger('tiny'));
app.use(myMiddleware);
app.use(app.router);

function myMiddleware(req, res, next) {
    var end = res.end;
    res.end = function (chunk, encoding) {
        res.end = end;
        res.end(chunk, encoding);

        if (res.locals.data)
            console.log('there is data');
        else
            console.log('data is removed');
    };

    next();
}

app.get('/', function (req, res) {
    res.locals.data = 'some data';
    res.send('foo'); // calls `res.end()`
});

请求/结果:

GET / 200 3 - 6 ms
there is data
GET /favicon.ico 404 - - 1 ms
data is removed
于 2013-04-03T16:32:11.247 回答