与this question相切,我想知道是否有一种触发Express路由器而不实际通过HTTP的方法?
答案 0 :(得分:17)
路由器有一个"private" method named handle
,它接受请求,响应和回调。您可以查看Express对其Router的测试。一个例子是:
it('should support .use of other routers', function(done){
var router = new Router();
var another = new Router();
another.get('/bar', function(req, res){
res.end();
});
router.use('/foo', another);
router.handle({ url: '/foo/bar', method: 'GET' }, { end: done });
});
Express团队使用SuperTest对Router执行集成测试。我的理解是,SuperTest仍然使用网络,但它们会为您处理所有这些,因此它的行为就像测试都在内存中一样。 SuperTest似乎被广泛使用,是测试路线的可接受方式。
顺便说一下,你没有说出你试图测试的内容,但如果你的目标是测试一些路线,SuperTest的另一种选择可能是将你路线中的逻辑提取到一个单独的模块中。测试独立于Express。
变化:
routes
|
-- index.js
为:
routes
|
-- index.js
|
controllers
|
-- myCustomController.js
然后,测试可以简单地定位myCustomController.js
并注入任何必要的依赖项。
答案 1 :(得分:4)
通过访问Express的来源,我能够发现确实有一个API,就像我希望的那样简单。它记录在the tests for express.Router。
中/**
* @param {express.Router} router
*/
function dispatchToRouter(router, url, callback) {
var request = {
url : url,
method : 'GET'
};
// stub a Response object with a (relevant) subset of the needed
// methods, such as .json(), .status(), .send(), .end(), ...
var response = {
json : function(results) {
callback(results);
}
};
router.handle(request, response, function(err) {
console.log('These errors happened during processing: ', err);
});
}
但是...缺点是,正是它首先没有记录的原因:它是Router.prototype的私有函数:
/**
* Dispatch a req, res into the router.
* @private
*/
proto.handle = function handle(req, res, out) {
var self = this;
...
}
所以依靠这段代码并不是世界上最安全的事情。
答案 2 :(得分:4)
您可以完全使用run-middleware
模块。您创建了一个快速应用程序,然后您可以使用您的参数调用该应用程序
it('should support .use of other routers', function(done){
var app=require('express')()
app.get('/bar', function(req, res){
res.status(200).end();
});
app.runMiddleware('/bar',{options},function(responseCode,body,headers){
console.log(responseCode) // Should return 200
done()
})
});
更多信息:
披露:我是维护者&该模块的第一个开发人员。