web-dev-qa-db-ja.com

Angularjs Jasmine単体テストで見込みを返すサービスを偽造するにはどうすればよいですか?

MyOtherServiceを使用するmyServiceがあります。これはリモート呼び出しを行い、promiseを返します。

angular.module('app.myService', ['app.myOtherService'])
  .factory('myService', [myOtherService,

    function(myOtherService) {
      function makeRemoteCall() {
        return myOtherService.makeRemoteCallReturningPromise();
      }

      return {
        makeRemoteCall: makeRemoteCall
      };      
    }
  ])

myServicename__の単体テストを作成するには、makeRemoteCallReturningPromise()メソッドが約束を返すように、myOtherServicename__をモックする必要があります。これが私のやり方です。

describe('Testing remote call returning promise', function() {
  var myService;
  var myOtherServiceMock = {};

  beforeEach(module('app.myService'));

  // I have to inject mock when calling module(),
  // and module() should come before any inject()
  beforeEach(module(function ($provide) {
    $provide.value('myOtherService', myOtherServiceMock);
  }));

  // However, in order to properly construct my mock
  // I need $q, which can give me a promise
  beforeEach(inject( function(_myService_, $q){
    myService = _myService_;
    myOtherServiceMock = {
      makeRemoteCallReturningPromise: function() {
        var deferred = $q.defer();
        deferred.resolve('Remote call result');
        return deferred.promise;
      }    
    };
  }

  // Here the value of myOtherServiceMock is not
  // updated, and it is still {}
  it('can do remote call', inject(function() {
    myService.makeRemoteCall() // Error: makeRemoteCall() is not defined on {}
      .then(function() {
        console.log('Success');
      });    
  }));  

上記からわかるように、私のモックの定義は$qに依存しています。これはinject()を使ってロードする必要があります。さらに、モックの注入はmodule()で行われるべきです。これはinject()の前に行われるべきです。ただし、変更した後のmockの値は更新されません。

これを行うための適切な方法は何ですか?

145

どうしてあなたのやり方がうまくいかないのかよくわかりませんが、私は通常spyOn関数を使ってやります。このようなもの:

describe('Testing remote call returning promise', function() {
  var myService;

  beforeEach(module('app.myService'));

  beforeEach(inject( function(_myService_, myOtherService, $q){
    myService = _myService_;
    spyOn(myOtherService, "makeRemoteCallReturningPromise").and.callFake(function() {
        var deferred = $q.defer();
        deferred.resolve('Remote call result');
        return deferred.promise;
    });
  }

  it('can do remote call', inject(function() {
    myService.makeRemoteCall()
      .then(function() {
        console.log('Success');
      });    
  }));

then関数を呼び出すには、$digest呼び出しを行う必要があることも忘れないでください。 $ qドキュメントテストセクションを参照してください。

------編集------

自分のしていることを詳しく調べた後、私はあなたのコードに問題があると思います。 beforeEachでは、myOtherServiceMockをまったく新しいオブジェクトに設定しています。 $provideはこの参照を見ません。既存の参照を更新するだけです。

beforeEach(inject( function(_myService_, $q){
    myService = _myService_;
    myOtherServiceMock.makeRemoteCallReturningPromise = function() {
        var deferred = $q.defer();
        deferred.resolve('Remote call result');
        return deferred.promise;   
    };
  }
172
dnc253

私たちは、スパイによって直接約束を返すというジャスミンの実装を書くこともできます。

spyOn(myOtherService, "makeRemoteCallReturningPromise").andReturn($q.when({}));

ジャスミン2の場合:

spyOn(myOtherService, "makeRemoteCallReturningPromise").and.returnValue($q.when({}));

(ccnokesのおかげで、コメントからコピー)

69
describe('testing a method() on a service', function () {    

    var mock, service

    function init(){
         return angular.mock.inject(function ($injector,, _serviceUnderTest_) {
                mock = $injector.get('service_that_is_being_mocked');;                    
                service = __serviceUnderTest_;
            });
    }

    beforeEach(module('yourApp'));
    beforeEach(init());

    it('that has a then', function () {
       //arrange                   
        var spy= spyOn(mock, 'actionBeingCalled').and.callFake(function () {
            return {
                then: function (callback) {
                    return callback({'foo' : "bar"});
                }
            };
        });

        //act                
        var result = service.actionUnderTest(); // does cleverness

        //assert 
        expect(spy).toHaveBeenCalled();  
    });
});
12
Darren Corbett

あなたはあなたのサービスをモックするためにsinonのようなスタブライブラリを使うことができます。あなたの約束として$ q.when()を返すことができます。スコープオブジェクトの値が約束の結果に由来する場合は、scope。$ root。$ digest()を呼び出す必要があります。

var scope, controller, datacontextMock, customer;
  beforeEach(function () {
        module('app');
        inject(function ($rootScope, $controller,common, datacontext) {
            scope = $rootScope.$new();
            var $q = common.$q;
            datacontextMock = sinon.stub(datacontext);
            customer = {id:1};
           datacontextMock.customer.returns($q.when(customer));

            controller = $controller('Index', { $scope: scope });

        })
    });


    it('customer id to be 1.', function () {


            scope.$root.$digest();
            expect(controller.customer.id).toBe(1);


    });
8
Mike Lunn

sinonを使う:

const mockAction = sinon.stub(MyService.prototype,'actionBeingCalled')
                     .returns(httpPromise(200));

httpPromiseは次のようになります。

const httpPromise = (code) => new Promise((resolve, reject) =>
  (code >= 200 && code <= 299) ? resolve({ code }) : reject({ code, error:true })
);
2
Abdennour TOUMI

正直なところ..あなたはモジュールの代わりにサービスをモックするために注入に頼ることによってこれを間違った方法で行っています。また、beforeEachでinjectを呼び出すことは、テストごとにモックを作成することを難しくするため、アンチパターンです。

これは私がこれを行う方法です...

module(function ($provide) {
  // By using a decorator we can access $q and stub our method with a promise.
  $provide.decorator('myOtherService', function ($delegate, $q) {

    $delegate.makeRemoteCallReturningPromise = function () {
      var dfd = $q.defer();
      dfd.resolve('some value');
      return dfd.promise;
    };
  });
});

今あなたがあなたのサービスを注入するときそれは使用法のために適切にモックされた方法を持つでしょう。

0
Keith Loy

Sinon.stub()。戻り値($ q.when({}))のような便利で使い勝手の良いサービス関数が見つかりました。

this.myService = {
   myFunction: sinon.stub().returns( $q.when( {} ) )
};

this.scope = $rootScope.$new();
this.angularStubs = {
    myService: this.myService,
    $scope: this.scope
};
this.ctrl = $controller( require( 'app/bla/bla.controller' ), this.angularStubs );

コントローラ:

this.someMethod = function(someObj) {
   myService.myFunction( someObj ).then( function() {
        someObj.loaded = 'bla-bla';
   }, function() {
        // failure
   } );   
};

とテスト

const obj = {
    field: 'value'
};
this.ctrl.someMethod( obj );

this.scope.$digest();

expect( this.myService.myFunction ).toHaveBeenCalled();
expect( obj.loaded ).toEqual( 'bla-bla' );
0
Dmitri Algazin

コードスニペット:

spyOn(myOtherService, "makeRemoteCallReturningPromise").and.callFake(function() {
    var deferred = $q.defer();
    deferred.resolve('Remote call result');
    return deferred.promise;
});

より簡潔な形式で書くことができます:

spyOn(myOtherService, "makeRemoteCallReturningPromise").and.returnValue(function() {
    return $q.resolve('Remote call result');
});
0
trunikov