1

我的应用程序使用 ngrx 和 ngrx 效果。这是我的应用效果之一:

  @Effect()
  reloadPersonalInfo$: Observable<Action> = this.actions$
    .ofType(currentUserAccount.ActionTypes.RELOAD_PERSONAL_INFO)
    .filter(() => <boolean>JSON.parse(localStorage.getItem('authenticated')))
    .switchMap(() =>
      this.userAccountService
        .retrieveCurrentUserAccount()
        .map(currentUserAccount => new LoadUserAccountAction(currentUserAccount))
        .map(() => new SigninAction())
    );

我想知道为什么LoadUserAccountAction除非我注释掉,否则不会进入我的减速器功能//.map(() => new SigninAction())

有人可以帮忙吗?我做错了什么?

4

1 回答 1

4

LoadUserAccountAction没有被调度,因为它不是由效果发出的,因为最终.map(() => new SigninAction())看到的是SigninAction发出的。

可以从一个效果中发出多个动作,你只需要这样做:

@Effect()
reloadPersonalInfo$: Observable<Action> = this.actions$
  .ofType(currentUserAccount.ActionTypes.RELOAD_PERSONAL_INFO)
  .filter(() => <boolean>JSON.parse(localStorage.getItem('authenticated')))
  .switchMap(() => this.userAccountService
    .retrieveCurrentUserAccount()
    .concatMap(currentUserAccount => [
      new LoadUserAccountAction(currentUserAccount),
      new SigninAction()
    ])
  );

运算符将concatMap展平包含这两个动作的数组,以便发出这两个动作 - 按照它们在数组中声明的顺序。

于 2017-03-02T22:48:18.713 回答