Jasmine间谍重置调用不会返回

时间:2015-07-21 13:00:23

标签: javascript jasmine spy jasmine2.0

我使用Jasmine(2.2.0)间谍来查看是否调用了某个回调。

测试代码:

it('tests', function(done) {
  var spy = jasmine.createSpy('mySpy');
  objectUnderTest.someFunction(spy).then(function() {
    expect(spy).toHaveBeenCalled();
    done();
  });
});

这可以按预期工作。但现在,我正在增加第二个级别:

it('tests deeper', function(done) {
  var spy = jasmine.createSpy('mySpy');
  objectUnderTest.someFunction(spy).then(function() {
    expect(spy).toHaveBeenCalled();
    spy.reset();
    return objectUnderTest.someFunction(spy);
  }).then(function() {
    expect(spy.toHaveBeenCalled());
    expect(spy.callCount).toBe(1);
    done();
  });
});

此测试永远不会返回,因为显然永远不会调用done回调。如果我删除行spy.reset(),测试确实完成,但显然在最后的期望中失败。但是,callCount字段似乎是undefined,而不是2

2 个答案:

答案 0 :(得分:33)

对于间谍功能,Jasmine 2的语法与1.3不同。 请参阅Jasmine docs here

具体而言,您使用spy.calls.reset();

重置间谍

这就是测试的样子:

// Source
var objectUnderTest = {
    someFunction: function (cb) {
        var promise = new Promise(function (resolve, reject) {
            if (true) {
                cb();
                resolve();
            } else {
                reject(new Error("something bad happened"));
            }
        });
        return promise;
    }
}

// Test
describe('foo', function () {
    it('tests', function (done) {
        var spy = jasmine.createSpy('mySpy');
        objectUnderTest.someFunction(spy).then(function () {
            expect(spy).toHaveBeenCalled();
            done();
        });
    });
    it('tests deeper', function (done) {
        var spy = jasmine.createSpy('mySpy');
        objectUnderTest.someFunction(spy).then(function () {
            expect(spy).toHaveBeenCalled();
            spy.calls.reset();
            return objectUnderTest.someFunction(spy);
        }).then(function () {
            expect(spy).toHaveBeenCalled();
            expect(spy.calls.count()).toBe(1);
            done();
        });
    });
});

请参阅小提琴here

答案 1 :(得分:1)

另一种写作方式:

spyOn(foo, 'bar');
expect(foo.bar).toHaveBeenCalled();
foo.bar.calls.reset();