如果我制作了一些可以协同工作的中间件,那么分组和管理功能的最佳惯例是什么?
在我的server.js
文件中,我目前只是通过app.use
来一个接一个地列出它们。
然而,我发现如果我的集合中的第一个没有产生任何数据,那么组中的后续数据可以跳过。我想这最终是一个聚合,尽管我还没有在其他项目中看到过这样的例子。
答案 0 :(得分:1)
connect中间件就是这类问题的一个很好的例子。看看bodyParser:
app.use(connect.bodyParser()); // use your own grouping here
相当于
app.use(connect.json());
app.use(connect.urlencoded());
app.use(connect.multipart());
bodyParser
函数在内部通过前面提到的每个中间件函数传递req
和res
对象
exports = module.exports = function bodyParser(options){
var _urlencoded = urlencoded(options)
, _multipart = multipart(options)
, _json = json(options);
return function bodyParser(req, res, next) {
_json(req, res, function(err){
if (err) return next(err);
_urlencoded(req, res, function(err){
if (err) return next(err);
_multipart(req, res, next);
});
});
}
};
完整的代码可以在github repo
找到答案 1 :(得分:0)
<强> 修改 强>
在下面的评论中告知,传递数组将完全相同,因此不需要额外的模块。 : - )
我一直在寻找一种方法来实现这一点,因为我的应用程序非常精细,但我不想像其他答案那样嵌套所有内容。
我确信那里已经有了更全面的东西,但我最终做到了这一点:
/**
* Macro method to group together middleware.
*/
function macro (...middlewares) {
// list of middlewares is passed in and a new one is returned
return (req, res, next) => {
// express objects are locked in this scope and then
// _innerMacro calls itself with access to them
let index = 0;
(function _innerMacro() {
// methods are called in order and passes itself in as next
if(index < middlewares.length){
middlewares[index++](req, res, _innerMacro)
} else {
// finally, next is called
next();
}
})();
}
}
然后像这样使用它:
var macro = macro(
middleware1,
middleware2,
middleware3
);
app.post('/rout', macro);