J'ai la situation suivante:
controller.js
controller('PublishersCtrl',['$scope','APIService','$timeout', function($scope,APIService,$timeout) {
APIService.get_publisher_list().then(function(data){
});
}));
controllerSpec.js
'use strict';
describe('controllers', function(){
var scope, ctrl, timeout;
beforeEach(module('controllers'));
beforeEach(inject(function($rootScope, $controller) {
scope = $rootScope.$new(); // this is what you missed out
timeout = {};
controller = $controller('PublishersCtrl', {
$scope: scope,
APIService: APIService,
$timeout: timeout
});
}));
it('should have scope variable equals number', function() {
expect(scope.number).toBe(3);
});
});
Erreur:
TypeError: Object #<Object> has no method 'get_publisher_list'
J'ai aussi essayé quelque chose comme ça, et ça n'a pas marché:
describe('controllers', function(){
var scope, ctrl, timeout,APIService;
beforeEach(module('controllers'));
beforeEach(module(function($provide) {
var service = {
get_publisher_list: function () {
return true;
}
};
$provide.value('APIService', service);
}));
beforeEach(inject(function($rootScope, $controller) {
scope = $rootScope.$new();
timeout = {};
controller = $controller('PublishersCtrl', {
$scope: scope,
APIService: APIService,
$timeout: timeout
}
);
}));
it('should have scope variable equals number', function() {
spyOn(service, 'APIService');
scope.get_publisher_list();
expect(scope.number).toBe(3);
});
});
Comment puis-je resoudre ceci? Aucune suggestion?
Il y a deux façons (ou plus, bien sûr).
Imaginer ce type de service (peu importe s'il s'agit d'une usine):
app.service('foo', function() {
this.fn = function() {
return "Foo";
};
});
Avec ce contrôleur:
app.controller('MainCtrl', function($scope, foo) {
$scope.bar = foo.fn();
});
Une façon consiste simplement à créer un objet avec les méthodes que vous utiliserez et à les espionner:
foo = {
fn: function() {}
};
spyOn(foo, 'fn').andReturn("Foo");
Ensuite, vous passez ce foo
en tant que dep au contrôleur. Pas besoin d'injecter le service. Ça marchera.
L'autre façon est de se moquer du service et d'injecter le simulé:
beforeEach(module('app', function($provide) {
var foo = {
fn: function() {}
};
spyOn(foo, 'fn').andReturn('Foo');
$provide.value('foo', foo);
}));
Lorsque vous injectez alors foo
il injectera celui-ci.
Voir ici: http://plnkr.co/edit/WvUIrtqMDvy1nMtCYAfo?p=preview
Pour ceux qui ont du mal à faire fonctionner la réponse,
à partir de Jasmine 2.0 andReturn()
est devenu and.returnValue()
Ainsi par exemple dans le 1er test du plongeur ci-dessus:
describe('controller: MainCtrl', function() {
var ctrl, foo, $scope;
beforeEach(module('app'));
beforeEach(inject(function($rootScope, $controller) {
foo = {
fn: function() {}
};
spyOn(foo, 'fn').and.returnValue("Foo"); // <----------- HERE
$scope = $rootScope.$new();
ctrl = $controller('MainCtrl', {$scope: $scope , foo: foo });
}));
it('Should call foo fn', function() {
expect($scope.bar).toBe('Foo');
});
});
(Source: Rvandersteen )