AngularJS中的单元测试承诺带有参数

时间:2014-08-03 23:17:46

标签: angularjs unit-testing karma-runner jasmine2.0

我们正在对我们的服务进行单元测试,并面临涉及依赖服务参数的方法的间谍问题。

我正在为ServiceA编写单元测试

ServiceA.js

angular.module("App").service("ServiceA", function($http, ServiceB) {
    this.detail = null; 
    this.method = function(id){
        var sevrB = new ServiceB();
        return sevrB.getId(1).then(function(response) {
            this.detail = response.data;
        }); 
    };
 });

ServiceB.js(是工厂)

(function () {
    var dependencies = [
      '../module'
    ];
    define(dependencies, function (module) {
        return module.factory('ServiceB', function ($http) {
            var ServiceB= function () {
                this.id = null;               
            };

        ServiceB.prototype.getId = function(Id) {                               
            return $http.get('/test/');
        }
    }
 }());

单元测试代码

 describe('Testing ServiceA', function () {
 var serviceA, serviceBMock;

 beforeEach(function () {
     var _serviceBMock = function () {
         return {
             getId:function(id){
                 return 'test';
             }
         };
     };

     angular.module('ServiceAMocks', [])                   
         .value('ServiceB', _serviceBMock);
 });

beforeEach(module('ServiceAMocks'));       

beforeEach(inject(function (_ServiceA_, _ServiceB_) {
    serviceA=_ServiceA_;
    serviceBMock=_ServiceB_;
});

it('retrive Id', function () {  
   spyOn(serviceBMock,'getId').and.Return('test');
   serviceA.method(1);
});

}); 

我正在从ServiceA监视ServiceB的getId方法,如果我将ServiceB模拟为函数,我将收到错误

  

错误:getId()方法不存在   在jasmineInterface.spyOn

如果我将serviceB模拟为对象,那么我会得到错误

 TypeError: object is not a function

 var _serviceBMock = {              
     getId:function(id){
         return 'test';
     }
 }

我不确定在这种情况下测试承诺。

1 个答案:

答案 0 :(得分:0)

此版本支持Jasmine 1.3

我正在注入$ q服务,因为ServiceB想要调用方法。我们甚至可以前进并解决返回的承诺,但这是测试的下一步。

回答以前版本的问题,其中AngularJS注入 serviceB 的实例

describe('ServiceA', function () {
    var serviceA, ServiceB, $q;

    beforeEach(function () {
        module('App');
    });

    beforeEach(function () {
        module(function ($provide) {
            $provide.value('ServiceB', {
                getId: jasmine.createSpy('ServiceB.getId').andCallFake(function () {
                    return $q.all();
                })
            });
        });
    });

    beforeEach(inject(function (_ServiceA_, _ServiceB_, _$q_) {
        $q = _$q_;
        serviceA = _ServiceA_;
        ServiceB = _ServiceB_;
    }));

    describe('.method()', function () {
        it('returns ServiceB.getId() argument', function () {
            serviceA.method(1);
            expect(ServiceB.getId).toHaveBeenCalledWith(1);
        });
    });
});

jsfiddle:http://jsfiddle.net/krzysztof_safjanowski/sDh35/