web-dev-qa-db-ja.com

ジャスミンスパイの戻り値を変更する方法は?

私はジャスミンを使用して、次のようなスパイを作成しています。

beforeEach(inject(function ($injector) {
    $rootScope = $injector.get('$rootScope');
    $state = $injector.get('$state');
    $controller = $injector.get('$controller');

    socket = new sockMock($rootScope);

    //this is the line of interest
    authService = jasmine.createSpyObj('authService', ['login', 'logout', 'currentUser']);
}));

authServiceのさまざまなメソッドによって返されるものを変更できるようにしたいと思います。

実際のテストの設定方法は次のとおりです。

function createController() {
    return $controller('UserMatchingController', {'$scope': $rootScope, 'socket':socket, 'authService': authService });
}

describe('on initialization', function(){
    it('socket should emit a match', function() {
        createController();

        expect(socket.emits['match'].length).toBe(1);
    });

    it('should transition to users.matched upon receiving matched', function(){

        //this line fails with "TypeError: undefined is not a function"
        authService.currentUser.andReturn('bob');

        createController();

        $state.expectTransitionTo('users.matched');
        socket.receive('matchedblah', {name: 'name'});

        expect(authService.currentUser).toHaveBeenCalled()
    })
})

コントローラのセットアップ方法は次のとおりです。

lunchrControllers.controller('UserMatchingController', ['$state', 'socket', 'authService',
    function ($state, socket, authService) {
        socket.emit('match', {user: authService.currentUser()});

        socket.on('matched' + authService.currentUser(), function (data) {
            $state.go('users.matched', {name: data.name})
        });
    }]);

基本的に、spiedメソッドの戻り値を変更できるようにしたいと思います。ただし、jasmine.createSpyObjを使用して問題に正しくアプローチしているかどうかはわかりません。

34

代わりにこれを試してください。 Jasmine 2.0のAPIが変更されました。

authService.currentUser.and.returnValue('bob');

ドキュメンテーション:

http://jasmine.github.io/2.0/introduction.html#section-Spies

58
sma