在快递方面,其他所有条件保持不变,两者之间有什么区别:
app.all('/', mongoProxy(config.mongo.dbUrl, config.mongo.apiKey));
和
app.all('/', function (req, res) {
mongoProxy(config.mongo.dbUrl, config.mongo.apiKey);
});
前者能够从
mongoProxy
返回返回值,而后者则不能,其中mongoProxy
看起来像这样:module.exports = function(basePath, apiKey) {
basePath = url.parse(basePath);
// Map the request url to the mongolab url
// @Returns a parsed Url object
var mapUrl = module.exports.mapUrl = function(reqUrlString) {
//use the basePath to Parse the URL
return newUrl;
};
var mapRequest = module.exports.mapRequest = function(req) {
var newReq = mapUrl(req.url);
// Make a new request and return it..
return newReq;
};
var proxy = function(req, res, next) {
try {
var options = mapRequest(req);
// Create the request to the db
var dbReq = https.request(options, function(dbRes) {
// Save result
});
// { send result }
res.send(data);
res.end();
});
});
// send request
dbReq.end(JSON.stringify(req.body));
} catch (error) {
//..
}
};
return proxy;
};
关于解释两者之间的概念差异,文档尚不清楚。在我看到的示例中,前一个函数
app.all('/', mongoProxy(config.mongo.dbUrl, config.mongo.apiKey));
能够访问req和res对象而无需像在
function (req, res)
中那样将其实际传递进来。两者之间有什么区别?
最佳答案
tl; dr
是的,有一个区别:第一个将起作用,而第二个将挂起(您不调用mongoProxy
返回的匿名函数)。第一种是可取的,因为表达起来更惯用了(您正在使用中间件)。
首先,请注意在mongoProxy
中如何使用return proxy
一个匿名函数:
module.exports = function(basePath, apiKey) {
/* snip */
var proxy = function(req, res, next) { // <-- here
/* snip */
};
return proxy; // <-- and here
};
让我们分解一下:
var proxy = mongoProxy(config.mongo.dbUrl, config.mongo.apiKey)
// proxy is an anonymous function which accepts: (req, res, next)
app.all('/', proxy);
// express will use proxy as the callback (middleware), which means this is the same as:
app.all('/', function (req, res, next) {
proxy(req, res, next)
})
让我们重写第二个示例,该示例应阐明为什么它不起作用:
var proxy = mongoProxy(config.mongo.dbUrl, config.mongo.apiKey)
app.all('/', function (req, res) {
proxy // nothing happens because you don't invoke the function
});
如果要使用第二个示例,则可以用
proxy
调用proxy(req, res, next)
,但这不是惯用的(通常,尤其是对于express)。 Express是关于中间件的,因此请使用第一个示例。这是另一个使用闭包的示例(非常类似于您的
mongoProxy
函数):function getPermissionLevelMiddleware (level) {
// returns an anonymous function which verifies users based on `level`
return function (req, res, next) {
if (req.isAuthenticated() && req.user.permission.level > level)
return next()
return res.redirect('/no/permission')
}
}
var isAdmin = getPermissionLevelMiddleware(9000)
// `isAdmin` only allows users with more than 9000 `user.permission.level`
var isPleb = getPermissionLevelMiddleware(1)
// `isPleb` allows users with more than 1 `user.permission.level`
app.get('/admin', isAdmin, function (req, res) {
res.render('admin.jade')
})
关于javascript - Express app.all声明要求/不要求,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/31890574/