如何使用Jasmine监视匿名函数

时间:2015-02-18 09:54:24

标签: javascript angularjs testing jasmine karma-jasmine

我正在使用Jasmine测试我的角度应用程序,并希望监视匿名函数。 使用angular-notify服务https://github.com/cgross/angular-notify,我想知道是否已经调用了通知功能。

这是我的控制器:

angular.module('module').controller('MyCtrl', function($scope, MyService, notify) {

  $scope.isValid = function(obj) {
    if (!MyService.isNameValid(obj.name)) {
      notify({ message:'Name not valid', classes: ['alert'] });
      return false;
    }
  }
});

这是我的测试:

'use strict';

describe('Test MyCtrl', function () {
  var scope, $location, createController, controller, notify;

  beforeEach(module('module'));

  beforeEach(inject(function ($rootScope, $controller, _$location_, _notify_) {
    $location = _$location_;
    scope = $rootScope.$new();
    notify = _notify_;

    notify = jasmine.createSpy('spy').andReturn('test');

    createController = function() {
      return $controller('MyCtrl', {
        '$scope': scope
      });
    };
  }));

  it('should call notify', function() {
    spyOn(notify);
    controller = createController();
    scope.isValid('name');
    expect(notify).toHaveBeenCalled();
  });
});

明显回归:

Error: No method name supplied on 'spyOn(notify)'

因为它应该类似于spyOn(notify,'method'),但因为它是一个匿名函数,所以它没有任何方法。

感谢您的帮助。

2 个答案:

答案 0 :(得分:8)

Daniel Smink的回答是正确的,但请注意Jasmine 2.0的语法已经改变。

notify = jasmine.createSpy().and.callFake(function() {
  return false;
});

我还发现如果你只需要一个简单的实现就直接返回一个响应很有用

notify = jasmine.createSpy().and.returnValue(false);

答案 1 :(得分:3)

你可以用andCallFake链接你的间谍,见:

http://jasmine.github.io/1.3/introduction.html#section-Spies:_ andCallFake

    //create a spy and define it to change notify
    notify = jasmine.createSpy().andCallFake(function() {
      return false;
    });

    it('should be a function', function() {
        expect(typeof notify).toBe('function');             
    });

    controller = createController();
    scope.isValid('name');
    expect(notify).toHaveBeenCalled();