admin管理员组

文章数量:1292540

I have a ponent unit test which isn't handling a promise rejection from a mock in the way I expected it to.

I have this function on a ponent which sends some data to addUserToOrganisation and handles the Promise that it returns:

 public onSubmit() {
    this.saveStatus = 'Saving';
    this.user = this.prepareSaveUser();
    this._userService.addUserToOrganisation(this.user)
    .then(() => this._router.navigate(['/profile']))
    .catch(error => this.reportError(error));
  }

When testing this ponent, I have provided a mock for UserService which spies on the addUserToOrganisation endpoint and returns a Promise of some kind:

 mockUserService = jasmine.createSpyObj('mockUserService', ['getOrgId', 'addUserToOrganisation']);
 mockUserService.getOrgId.and.returnValue(Promise.resolve('an id'));
 mockUserService.addUserToOrganisation.and.returnValue(Promise.resolve());

This works fine for happy paths (resolve) - I can test that this._router.navigate() is called and so on. Here is the passing test for this happy path:

it('should navigate to /profile if save is successful', fakeAsync(() => {
    fixture.detectChanges();
    tick();
    fixture.detectChanges();

    ponent.userForm.controls['firstName'].setValue('John');
    ponent.userForm.controls['lastName'].setValue('Doe');
    ponent.userForm.controls['email'].setValue('[email protected]');
    ponent.onSubmit();

    tick();
    fixture.detectChanges();
    expect(mockRouter.navigate).toHaveBeenCalledWith(['/profile']);
  }));

However, I am having trouble testing the 'sad' path. I alter my mock to return a Promise.reject and, although I have a .catch in onSubmit, I am getting this error:

Error: Uncaught (in promise): no

So that's confusing. Here is my test for this sad path. Note that I change the response of the mock call.

it('should show Failed save status if the save function fails', fakeAsync(() => {
    mockUserService.addUserToOrganisation.and.returnValue(Promise.reject('no'));
    fixture.detectChanges();
    tick();
    fixture.detectChanges();

    ponent.userForm.controls['firstName'].setValue('John');
    ponent.userForm.controls['lastName'].setValue('Doe');
    ponent.userForm.controls['email'].setValue('[email protected]');
    ponent.onSubmit();

    tick();
    fixture.detectChanges();

    expect(ponent.saveStatus).toEqual('Failed! no');
  }));

Does anyone have any ideas?

I have a ponent unit test which isn't handling a promise rejection from a mock in the way I expected it to.

I have this function on a ponent which sends some data to addUserToOrganisation and handles the Promise that it returns:

 public onSubmit() {
    this.saveStatus = 'Saving';
    this.user = this.prepareSaveUser();
    this._userService.addUserToOrganisation(this.user)
    .then(() => this._router.navigate(['/profile']))
    .catch(error => this.reportError(error));
  }

When testing this ponent, I have provided a mock for UserService which spies on the addUserToOrganisation endpoint and returns a Promise of some kind:

 mockUserService = jasmine.createSpyObj('mockUserService', ['getOrgId', 'addUserToOrganisation']);
 mockUserService.getOrgId.and.returnValue(Promise.resolve('an id'));
 mockUserService.addUserToOrganisation.and.returnValue(Promise.resolve());

This works fine for happy paths (resolve) - I can test that this._router.navigate() is called and so on. Here is the passing test for this happy path:

it('should navigate to /profile if save is successful', fakeAsync(() => {
    fixture.detectChanges();
    tick();
    fixture.detectChanges();

    ponent.userForm.controls['firstName'].setValue('John');
    ponent.userForm.controls['lastName'].setValue('Doe');
    ponent.userForm.controls['email'].setValue('[email protected]');
    ponent.onSubmit();

    tick();
    fixture.detectChanges();
    expect(mockRouter.navigate).toHaveBeenCalledWith(['/profile']);
  }));

However, I am having trouble testing the 'sad' path. I alter my mock to return a Promise.reject and, although I have a .catch in onSubmit, I am getting this error:

Error: Uncaught (in promise): no

So that's confusing. Here is my test for this sad path. Note that I change the response of the mock call.

it('should show Failed save status if the save function fails', fakeAsync(() => {
    mockUserService.addUserToOrganisation.and.returnValue(Promise.reject('no'));
    fixture.detectChanges();
    tick();
    fixture.detectChanges();

    ponent.userForm.controls['firstName'].setValue('John');
    ponent.userForm.controls['lastName'].setValue('Doe');
    ponent.userForm.controls['email'].setValue('[email protected]');
    ponent.onSubmit();

    tick();
    fixture.detectChanges();

    expect(ponent.saveStatus).toEqual('Failed! no');
  }));

Does anyone have any ideas?

Share Improve this question edited Jun 9, 2017 at 10:16 Estus Flask 223k78 gold badges472 silver badges610 bronze badges asked Jun 9, 2017 at 9:42 dafyddPrysdafyddPrys 92812 silver badges24 bronze badges
Add a ment  | 

1 Answer 1

Reset to default 8

Promise rejections are supposed to be caught, having them unhandled will result in error in Zone.js promise implementation (which is used in Angular applications) and some others (Chrome, core-js promise polyfill, etc).

A rejection should be caught synchronously in order to be considered handled. It is guaranteed this way that an error will always be handled.

This is handled promise:

const p = Promise.reject();
p.catch(err => console.error(err));

This is unhandled promise:

const p = Promise.reject();
setTimeout(() => {
  p.catch(err => console.error(err));
}, 1000);

Even though a rejection will possibly be handled in future, there's no way how implementation can 'know' about that, so a promise is considered unhandled and unhandledrejection event is triggered.

The thing that creates the problem is

tick();
fixture.detectChanges();

If tick() is there 'just in case' and there's no real use of it, it shouldn't be there in the first place. If it should then code needs to be changed to not create unhandled promises:

mockUserService.addUserToOrganisation.and.callFake(() => Promise.reject('no'));

本文标签: javascriptAngularTesting componentError when returning Promisereject from mockStack Overflow