我有以下路线(快递),我正在为其编写集成测试。
这是代码:
var q = require("q"),
request = require("request");
/*
Example of service wrapper that makes HTTP request.
*/
function getProducts() {
var deferred = q.defer();
request.get({uri : "http://localhost/some-service" }, function (e, r, body) {
deferred.resolve(JSON.parse(body));
});
return deferred.promise;
}
/*
The route
*/
exports.getProducts = function (request, response) {
getProducts()
.then(function (data) {
response.write(JSON.stringify(data));
response.end();
});
};
我想测试所有组件是否一起工作,但使用虚假的 HTTP 响应,所以我正在为请求/http 交互创建一个存根。
我使用 Chai、Sinon 和 Sinon-Chai 和 Mocha 作为测试运行器。
这是测试代码:
var chai = require("chai"),
should = chai.should(),
sinon = require("sinon"),
sinonChai = require("sinon-chai"),
route = require("../routes"),
request = require("request");
chai.use(sinonChai);
describe("product service", function () {
before(function(done){
sinon
.stub(request, "get")
// change the text of product name to cause test failure.
.yields(null, null, JSON.stringify({ products: [{ name : "product name" }] }));
done();
});
after(function(done){
request.get.restore();
done();
});
it("should call product route and return expected resonse", function (done) {
var writeSpy = {},
response = {
write : function () {
writeSpy.should.have.been.calledWith("{\"products\":[{\"name\":\"product name\"}]}");
done();
}
};
writeSpy = sinon.spy(response, "write");
route.getProducts(null, response);
});
});
如果写入响应(response.write)的参数匹配,则测试通过。问题是,当测试失败时,失败消息是:
“错误:超过 2000 毫秒的超时”
我已经引用了这个答案,但它并没有解决问题。
我怎样才能让这个代码显示正确的测试名称和失败的原因?
注意第二个问题可能是,响应对象的断言方式是否可以改进?