Reputation: 2509
public onSubmit(registerData: RegisterDataModel): void {
this.registrationService.registerWithEmailAndPassword(registerData).then((msg: string[]) =>
this.router.navigate(['/completeSignUp']).then(() => {
msg.forEach(singleMessage => this.notificationService.primary(singleMessage));
}))
.catch((msg) => msg.forEach(singleMessage => {
this.notificationService.danger(singleMessage);
}));
}
I want to test if router.navigate
is called in my method. Now I want to mock my service.registerWithEmailAndPasswort
Promise but somehow I cannot mock it.
//Stubs
const routerStub: Router = jasmine.createSpyObj('Router', ['navigate']);
const registryStub: RegistrationService = jasmine.createSpyObj('RegistrationService', ['registerWithEmailAndPassword']);
it('should navigate on promise - success', () => {
(<jasmine.Spy>registryStub.registerWithEmailAndPassword).and.callThrough();
const spy = (<jasmine.Spy>routerStub.navigate);
component.onSubmit({username: null, email: null, password: null, passwordConfirm: null, termsAndCondition: null});
expect(spy).toHaveBeenCalledWith(['/completeSignUp']);
});
The Error that is appearing is: TypeError: Cannot read property 'then' of undefined
Does anyone how to proper mock this service?
I have also tried to mock the promise like:
(<jasmine.Spy>registryStub.registerWithEmailAndPassword)
.and.returnValue(new Promise(() => Promise.resolve()));
But it still throws me:
Expected spy Router.navigate to have been called with [ [ '/completeSignUp' ] ] but it was never called.
Upvotes: 20
Views: 26748
Reputation:
As silicon Soul mentioned you need definately mock the router.navigate
promise with a returnvalue as otherwise it will ent into a Promise.reject()
. By adding (<jasmine.Spy>routerStub.navigate).and.returnValue(Promise.resolve());
the unit test should be ok.
The final unit test should look like:
it('should navigate on promise - success', fakeAsync(() => {
const spy = (<jasmine.Spy>routerStub.navigate).and.returnValue(Promise.resolve());
(<jasmine.Spy>registryStub.registerWithEmailAndPassword).and.returnValue(Promise.resolve(['test']));
component.onSubmit({username: 'test', email: 'test', password: 'test', passwordConfirm: 'test', termsAndCondition: true});
tick();
expect(spy).toHaveBeenCalledWith(['/completeSignUp']);
}));
Upvotes: 20
Reputation: 829
You will get the error because the registerWithEmailAndPassword spy does not return a Promise. You could use callFake to return a Promise:
(<jasmine.Spy>registryStub.registerWithEmailAndPassword).and.callFake(() => Promise.resolve([]));
Also, promises are asynchronous so you should probably use fakeAsync test and tick, or timeout or return an object with then method instead of a Promise.
Upvotes: 3