I have a very basic question concerning @ngrx effects: How to ignore an error that happens during the execution of an effect such that it doesn't affect future effect execution?
My situation is as follows: I have an action (LOGIN) and an effect listening to that action. If an error happens inside this effect, I want to ignore it. When LOGIN is dispatched a second time after this error, the effect should be executed a second time.
My first attempt to do this was:
@Effect()
login$ = this.actions$
.ofType('LOGIN')
.flatMap(async () => {
console.debug('LOGIN');
// throw an error
let x = [];x[0]();
})
.catch(err => {
console.error('Error at login', err);
return Observable.empty();
});
Dispatching LOGIN the first time throws and catches the error, as expected. However, if I dispatch LOGIN a second time afterwards, nothing happens; the effect is not executed.
Therefore I tried the following:
.catch(err => {
return this.login$;
});
, but this results in an endless loop... Do you know how to catch the error without preventing effect execution afterwards?
The
ngrx
infrastructure subscribes to the effect via the provider imported into the app'sNgModule
usingEffectsModule.run
.When the observable errors and
catch
returns a empty obervable, the composed observable completes and its subscribers are unsubscribed - that's part of the Observable Contract. And that's the reason you see no further handling ofLOGIN
actions in your effect. The effect is unsubscribed on completion and thengrx
infrastructure does not re-subscribe.Typically, you would have the error handling inside the
flatMap
(now calledmergeMap
):The
catch
composed into the inner observable will see an empty observable flattened/merged into the effect, so no action will be emitted.this is how I handle the option to be notified or not notified on Observables that didn't find any data:
The
@Effect
stream is completing when the error occurs, preventing any further actions.The solution is to switch to a disposable stream. If an error occurs within the disposable stream it's okay, as the main
@Effect
stream always stays alive, and future actions continue to execute.More info on this technique in this blog post: The Quest for Meatballs: Continue RxJS Streams When Errors Occur