我试图使用chai,chai-as-promised,sinon,sinon-chai和sinon-as-promised(使用Bluebird)测试一个带有Mocha的JavaScript对象。
这是测试中的对象:
function Component(MyService) {
var model = this;
model.data = 1;
activate();
function activate() {
MyService.get(0).then(function (result) {
model.data = result;
});
}
}
这是测试:
describe("The object under test", function () {
var MyService, component;
beforeEach(function () {
MyService = {
get: sinon.stub()
};
MyService.get
.withArgs(0)
.resolves(5);
var Component = require("path/to/component");
component = new Component(MyService);
});
it("should load data upon activation", function () {
component.data.should.equal(5); // But equals 1
});
});
我的问题是我没有对组件中使用的承诺进行等待,然后再按照Mocha,sinon-as-promised的文档中描述的方式进行检查。
如何让这个测试通过?
答案 0 :(得分:1)
您可以将来自MyService.get
的承诺存储为组件的属性:
function Component(MyService) {
var model = this;
model.data = 1;
activate();
function activate() {
model.servicePromise = MyService.get(0);
return model.servicePromise.then(function (result) {
model.data = result;
});
}
}
然后你将使用异步mocha测试:
it("should load data upon activation", function (done) {
component.servicePromise.then(function() {
component.data.should.equal(5);
done();
});
});