使用 Jasmine 2 测试 Promise.then

Testing Promise.then with Jasmine 2

我有一个函数正在使用一个 promise,并在该 promise 实现时调用另一个函数。我试图监视在 promise.then 中执行的函数,但是我无法获得预期的 calls.count() 并且我无法理解我做错了什么。

var MyClass = function() {};

MyClass.prototype.doSomething = function(id) {
    var promise = this.check(id);

    promise.then(function(result) {
        this.make();
    });

    return promise;
};

MyClass.prototype.make = function() {};

describe('when', function() {
    var myClass;

    beforeAll(function() {
        myClass = new MyClass();
    });

    it('should', function(done) {
        spyOn(myClass, 'check').and.callFake(function() {
            return Promise.resolve();
        });

        spyOn(myClass, 'make');

        myClass.doSomething(11)
            .then(function() {
                expect(myClass.make.calls.count()).toEqual(1); // says it is called 0 times
                expect(myClass.check.calls.count()).toEqual(1); // says it is called 2 times
                done();
            });
    });
});

如果您的承诺符合 A+ 规范,那么:

promise.then(function(result) {
    this.make();
});

不会工作。由于规范要求 this 没有价值。

2.2.5 onFulfilled and onRejected must be called as functions (i.e. with no this value). [3.2]

Promises A+ 2.2.5

您需要做:

var that = this;
promise.then(function(result) {
    that.make();
});

此外,请注意返回的承诺将尝试 fulfillreject 其他排队的承诺与 promise.then(..) 返回的承诺同时进行,除非您这样做:

promise = promise.then(..)

您必须通过在承诺中返回承诺来尊重承诺链

var that = this; // according to MinusFour answer
promise.then(function(result) {
   return that.make();
});

return promise;