我们有以下指令:
(function() {
'use strict';
ff.directive('mySwitchUserDirective', mySwitchUserDirective);
mySwitchUserDirective.$inject = ['SessionService'];
function mySwitchUserDirective(SessionService) {
var directive = {
restrict: 'E',
template: '<img ng-src="{{userImage}}" width="35px" style="border-radius: 50%; max-height: 35px;" />',
link: linkFunc
};
return directive;
function linkFunc(scope, element, attrs, ctrl) {
scope.userImage = SessionService.get().authUser.picture;
}
}
})();
如何在测试期间模拟SessionService
?
describe('mySwitchUser', function() {
var $compile,
$rootScope;
beforeEach(module('myApp'));
beforeEach(inject(function(_$compile_, _$rootScope_){
$compile = _$compile_;
$rootScope = _$rootScope_;
}));
it('Replaces my-switch-user element with the appropriate content', function() {
var element = $compile("<my-switch-user></my-switch-user>")($rootScope);
$rootScope.$digest();
expect(element.html()).toContain("ng-src");
});
});
目前它会抛出错误TypeError: Cannot read property 'authUser' of undefined
,因为我没有嘲笑SessionService
。
答案 0 :(得分:1)
SessionService.get
can be mocked with Jasmine spy, if SessionService
was defined in loaded modules and injected in beforeEach
:
spyOn(SessionService, 'get').and.callFake(() => ({
authUser: {
picture: 'wow.jpg'
}
}));
Or the whole service can be mocked by means of ngMock:
beforeEach(module('myApp', {
SessionService: {
get: () => ({
authUser: {
picture: 'wow.jpg'
}
})
}
}));
When there are a lot of things that should be mocked, it is acceptable to have a module with mocked dependencies instead:
beforeEach(module('myApp', 'myApp.mocked'));