注入されたサービスへの呼び出しを行うディレクティブをテストする必要があります。次のコードはディレクティブの例であり、イベントをリッスンし、指定された要素内でEnterキーが押された場合にブラウザーをリダイレクトします。
編集:E2Eテスト用地で水遊びをしているような気がしますか?
angular.module('fooApp')
.directive('gotoOnEnter', ['$location', function ($location) {
var _linkFn = function link(scope, element, attrs) {
element.off('keypress').on('keypress', function(e) {
if(e.keyCode === 13)
{
$location.path(scope.redirectUrl);
}
});
}
return {
restrict: 'A',
link: _linkFn
};
}]);
問題は、ディレクティブでサービスをスパイする方法を理解していないことです。
私が提案した解決策は次のようになります:スパイするために$locacion
サービスを正常に注入できなかったため、期待どおりに機能しません。
describe('Directive: gotoOnEnter', function () {
beforeEach(module('fooApp'));
var element;
it('should visit the link in scope.url when enter is pressed', inject(function ($rootScope, $compile, $location) {
element = angular.element('<input type="text" goto-on-enter>');
element = $compile(element)($rootScope);
$rootScope.redirectUrl = 'http://www.google.com';
$rootScope.$digest();
var e = jQuery.Event('keypress');
e.keyCode = 13;
element.trigger(e);
spyOn($location, 'path');
expect($location.path).toHaveBeenCalledWith('http://www.google.com');
}));
これにより得られます
Expected spy path to have been called with [ 'http://www.google.com' ] but it was never called.
特定のサービスを装飾、スタブ、モックを提供、またはオーバーライドするには、$provide
サービスを使用できます。 $provide.value
、$provide.decorator
など。ドキュメント ここ 。
次に、次のようなことを行うことができます。
var $location;
beforeEach(function() {
module('studentportalenApp', function($provide) {
$provide.decorator('$location', function($delegate) {
$delegate.path = jasmine.createSpy();
return $delegate;
});
});
inject(function(_$location_) {
$location = _$location_;
});
});
.。
it('should visit the link in scope.redirectUrl when enter is pressed', inject(function ($rootScope, $compile, $location) {
element = angular.element('<input type="text" goto-on-enter>');
element = $compile(element)($rootScope);
$rootScope.redirectUrl = 'http://www.google.com';
$rootScope.$digest();
var e = jQuery.Event('keypress');
e.keyCode = 13;
element.trigger(e);
$rootScope.$digest();
expect($location.path).toHaveBeenCalledWith('http://www.google.com');
}));