NGRX Effects在出错时会破坏app,如何处理错误?

问题描述 投票:0回答:1

我在我的应用程序中使用NGRX效果。当它失败时,它似乎打破了流。

@Effect()
createUser$: Observable<Action> = _action$.ofType(fromUser.CREATE_NEW_USER_ACTION)
  .pipe(
    mergeMap((action: fromUser.CreateNewUserAction) =>
      this._tokenService.post('users', action.payload)
        .pipe(
          map(response => {
            this._router.navigate(
              ["dashboard", "users", "view"],
              { queryParams: { id: response.json().message.id } });
            return new fromUser.CreateNewUserCompleteAction(response.json().message);
          },
            catchError(error =>
              of(new fromUser.CreateNewUserFailedAction(error.json().message))
            )
          )
        )
    )
  );

永远不会触发错误操作,我尝试记录。

angular ngrx ngrx-store ngrx-effects
1个回答
1
投票

你的tokenService返回什么?它可能在内部处理来自API调用的任何错误。只要您的API调用没有掩盖错误事件,CatchError就应该有效。如果是这种情况,您可能需要使用Observable.throw()从该服务中抛出错误。

为了便于阅读,我通常将格式更像这样。

@Effect() updateUser$: Observable<Action>;

constructor(action$: Actions, tokenService: TokenService) {
this.updateUser$ = action$.ofType(fromUser.UPDATE_USER_ACTION)
.pipe(
    mergeMap((action: fromUser.UpdateUserAction) => 
        tokenService.patch(`users/${this.user.id}`, action.payload)
           .pipe(
              map(response => {
                 this._router.navigate(
                    ["dashboard", "users", "view"], 
                    { queryParams: { id: response.json().message.id } });
                 return new fromUser.UpdateUserCompleteAction(response.json().message); 
              },
              catchError(error => 
                 of(new fromUser.UpdateUserFailedAction(error.json().message))
              )
           )
        )
    )
);
}

这段代码看起来应该可行。看看你的TokenService。


0
投票

看起来你的parentheses没有正确放置在第二个pipe功能内。 mapcatchError应该在管道内平行。在你的代码中,catchError函数在map中。

@Effect()
createUser$: Observable<Action> = _action$.ofType(fromUser.CREATE_NEW_USER_ACTION)
  .pipe(
    mergeMap((action: fromUser.CreateNewUserAction) =>
      this._tokenService.post('users', action.payload)
        .pipe(
          map(response => {
            this._router.navigate(
              ["dashboard", "users", "view"],
              { queryParams: { id: response.json().message.id } });
            return new fromUser.CreateNewUserCompleteAction(response.json().message);
          }),
          catchError(error =>
            of(new fromUser.CreateNewUserFailedAction(error.json().message))
          )
        )
    )
  );

顺便说一句,这是一个很好的做法,将catchError与http请求放在一起,而不是放入外部pipe流,这可能会阻止action$可观察到,NGRX框架将不会收到任何未来行动。

© www.soinside.com 2019 - 2024. All rights reserved.