6

我试图监视 $timeout 以便我可以验证它没有被调用。具体来说,我的生产代码(见下文)将 $timeout 作为函数而不是对象调用:

$timeout(function() { ... })

并不是

$timeout.cancel() // for instance

然而,Jasmine 需要监视一个对象,如下所示:

spyOn(someObject, '$timeout')

我不知道'someObject'会是什么。

我正在使用 Angular 模拟,如果这有什么不同的话。

编辑:我正在尝试测试的相关生产代码如下所示:

EventHandler.prototype._updateDurationInOneSecondOn = function (call) {
    var _this = this;
    var _updateDurationPromise = this._$timeout(function () {
            call.duration = new Date().getTime() - call.startTime;
            _this._updateDurationInOneSecondOn(call);
        }, 1000);
    // ... more irrelevant code
}

在特定的测试场景中,我试图断言 $timeout 从未被调用过。

编辑 2:明确指定我使用 $timeout 作为函数,而不是对象。

4

3 回答 3

7

遇到了同样的问题,最后用间谍装饰了 $timeout 服务。

beforeEach(module(function($provide) {
    $provide.decorator('$timeout', function($delegate) {
        return sinon.spy($delegate);
    });
}));

写了更多关于为什么这在这里有效。

于 2014-02-03T19:41:39.830 回答
1

角度$timeout是执行/调用函数的服务。“间谍”的请求$timeout有点奇怪,因为它正在做的是在 Y 给定时间内执行 X 函数。我要监视此服务的方法是“模拟”超时功能并将其注入您的控制器中,例如:

 it('shouldvalidate time',inject(function($window, $timeout){

        function timeout(fn, delay, invokeApply) {
            console.log('spy timeout invocation here');
            $window.setTimeout(fn,delay);
        }

//instead of injecting $timeout in the controller you can inject the mock version timeout
        createController(timeout);

// inside your controller|service|directive everything stays the same 
/*      $timeout(function(){
           console.log('hello world');
            x = true;
        },100); */
        var x = false; //some variable or action to wait for

        waitsFor(function(){
            return x;
        },"timeout",200);

...
于 2014-01-19T23:02:57.923 回答
0

这段代码对我有用

var element, scope, rootScope, mock = {
    timeout : function(callback, lapse){
        setTimeout(callback, lapse);
    }
};

beforeEach(module(function($provide) {
    $provide.decorator('$timeout', function($delegate) {
      return function(callback, lapse){
          mock.timeout(callback, lapse);
          return $delegate.apply(this, arguments);
      };
    });
}));
describe("when showing alert message", function(){

    it("should be able to show message", function(){
        rootScope.modalHtml = undefined;
        spyOn(mock, 'timeout').and.callFake(function(callback){
            callback();
        });
        rootScope.showMessage('SAMPLE');

        expect(rootScope.modalHtml).toBe('SAMPLE');

    });

});
于 2014-12-28T16:27:50.127 回答