首页
学习
活动
专区
圈层
工具
发布
社区首页 >问答首页 >取决于其他可观察(选择器)值的NGRX操作

取决于其他可观察(选择器)值的NGRX操作
EN

Stack Overflow用户
提问于 2022-01-26 06:16:11
回答 2查看 1.1K关注 0票数 2

我遇到了一个情况,我有两个独立的数据源,我需要从其中获取数据。一个数据源依赖于来自存储中其他值的2个值。

在下面的代码示例中,我需要获取一个“银行”列表并呈现它们。然后在将来的某个时候,我需要“登录”并为这些银行取一张“余额”列表。

我的依赖部分有问题。我可以手动订阅可观测到的数据,它可以工作,但我不认为这是正确的方法。我怀疑正确的方法是将rxjs操作符和选择器结合起来。我希望有个方向。

组件

代码语言:javascript
复制
import { Component, OnInit } from '@angular/core';
import { Store } from '@ngrx/store';
import { getBalancesAction, getBanksAction, loginAction } from './store/app.actions';
import { selectBalances, selectBanks, selectLogin } from './store/app.selectors';
import { IAppState } from './store/app.state';
import * as _ from 'lodash';
@Component({
    selector: 'app-root',
    templateUrl: './app.component.html',
    styleUrls: ['./app.component.css']
})
export class AppComponent implements OnInit
{

    // Desired behavior
    // Banks render right off the bat.
    // CLicking login

    public banks$ = this.store.select(selectBanks);
    public login$ = this.store.select(selectLogin);
    public balances$ = this.store.select(selectBalances);

    constructor(private store: Store<IAppState>)
    {

    }

    ngOnInit()
    {
        this.store.dispatch(getBanksAction());

        // You can view the list of banks without being logged in
        // I need to call this.store.dispatch(getBalances(banks$, login$))
        // but only after I have a login and the list of banks.
        // I could subscribe, but that doesn't seem to be in the spirit of ngrx and rxjs.
        this.banks$.subscribe(banks =>
        {
            if (banks)
            {
                this.login$.subscribe(login =>
                {
                    if (login)
                    {
                        // getting balances requires the accountid and a list of banks.  These come from observables of their own.
                        this.store.dispatch(getBalancesAction({ accountId: login, banks: _.map(banks, b => b.id) }))
                    }
                })
            }
        });


    }

    public login(): void
    {
        this.store.dispatch(loginAction({ userName: 'justme' }));
    }
}

行为

代码语言:javascript
复制
import { createAction, props } from "@ngrx/store";
import { IBalance, IBank } from "./app.state";

export enum BankActions
{
    GET_BANKS = "GET_BANKS",
    GET_BANKS_SUCCESS = "GET_BANKS_SUCCESS",
    GET_BALANCES = "GET_BALANCES",
    GET_BALANCE_SUCCESS = "GET_BALANCES_SUCCESS",
    LOGIN = "LOGIN",
    LOGIN_SUCCESS = "LOGIN_SUCCESS"
}

export const getBanksAction = createAction(
    BankActions.GET_BANKS
);

export const getBanksSuccessAction = createAction(BankActions.GET_BANKS_SUCCESS, props<{ banks: IBank[] }>());


export const getBalancesAction = createAction(
    BankActions.GET_BALANCES,
    props<{ accountId: string, banks: string[] }>()
);

export const getBalancesSuccessAction = createAction(BankActions.GET_BALANCE_SUCCESS, props<{ balances: IBalance[] }>());

export const loginAction = createAction(
    BankActions.LOGIN,
    props<{userName: string}>()
)

export const loginSuccessAction= createAction(
    BankActions.LOGIN_SUCCESS,
    props<{accountId: string}>()
)

效果

代码语言:javascript
复制
import { Injectable } from '@angular/core';
import { Actions, createEffect, ofType } from '@ngrx/effects';
import { defer, forkJoin, from, of } from 'rxjs';
import { map, mergeMap, tap } from 'rxjs/operators';
import { BanksService } from '../banks.service';
import { BankActions, getBalancesSuccessAction, getBanksSuccessAction, loginSuccessAction } from './app.actions';

@Injectable()
export class BankEffects
{
    constructor(private actions$: Actions, private banksService: BanksService) { }

    loadBalances$ = createEffect(() => this.actions$.pipe(
        ofType(BankActions.GET_BALANCES),
        mergeMap((x:any) => this.banksService.getBalances(x.accountId, x.banks)
            .pipe(
                map(b => getBalancesSuccessAction({ balances: b }))
            ))
    )
    );

    loadBanks$ = createEffect(() => this.actions$.pipe(
        ofType(BankActions.GET_BANKS),
        mergeMap(() => this.banksService.getBanks()
            .pipe(
                map(b => getBanksSuccessAction({ banks: b }))
            ))
    )
    );

    doLogin$ = createEffect(() => this.actions$.pipe(
        ofType(BankActions.LOGIN),
        mergeMap((x) => this.banksService.login(x)
            .pipe(
                map(b => loginSuccessAction({ accountId: b }))
            ))
    )
    );
}

减速器

代码语言:javascript
复制
import { createReducer, on } from "@ngrx/store";
import { getBalancesSuccessAction, loginSuccessAction, getBanksSuccessAction } from "./app.actions";
import { IAppState, initialState } from "./app.state";

export const appReducer = createReducer(
    initialState,
    on(getBalancesSuccessAction, (state: IAppState, { balances }) => ({ ...state, balances: balances })),
    on(loginSuccessAction, (state: IAppState, { accountId }) => ({ ...state, accountId: accountId })),
    on(getBanksSuccessAction, (state: IAppState, { banks }) =>
    {
        return ({ ...state, banks: banks });
    }));

选择器

代码语言:javascript
复制
import { createSelector } from "@ngrx/store";
import { IAppState } from "./app.state";

export const selectFeature = (state: any) => state.app;

export const selectLogin = createSelector(
    selectFeature,
    (state: IAppState) => state.accountId
);

export const selectBanks = createSelector(
    selectFeature,
    (state: IAppState) =>
    {
        return state.banks;
    }
);

export const selectBalances = createSelector(
    selectFeature,
    (state: IAppState) => state.balances
);

状态

代码语言:javascript
复制
export interface IBank
{
    id: string;
    name: string;
}

export interface IBalance{
    bankId: string,
    value: number;
    internalAccountNumber: string
}

export interface IAppState
{
    banks: IBank[],
    accountId: string | null,
    balances: IBalance[]
}

export const initialState: IAppState = {
    banks: [],
    accountId: null,
    balances: []
};
EN

回答 2

Stack Overflow用户

发布于 2022-01-26 07:04:08

  1. 您的ngOnInit只应该发送BankActions.GET_BANKS。它不应该包含任何subscribe
  2. 在模板中使用async管道订阅banks$balances$
  3. loadBalances$应该由BankActions.LOGIN_SUCCESS触发,您可以使用withLatestFrom (https://stackoverflow.com/a/60287236/1188074)从商店中获取帐户ID和银行列表。
  4. 删除BankActions.GET_BALANCES
  5. 从组件中删除login$

参考资料

连锁效应

手动订阅

票数 3
EN

Stack Overflow用户

发布于 2022-01-26 07:23:14

您可以使用combineLatest,因为它产生了所有可观察到的值

另外,您不需要加载map函数。

代码语言:javascript
复制
combineLatest([this.banks$, this.login$])
    .pipe(
      // to prevent unwanted many yields on a short while
      debouncTime(50),
      // only yields when there are banks and the accountId is filled in.
      filter(([banks, accountId]) => banks?.length > 0 && accountId) 
    )
    .subscribe(([banks, accountId]) =>
      this.store.dispatch(getBalancesAction({ accountId, banks: banks.map(b => b.id) }))
    );
票数 0
EN
页面原文内容由Stack Overflow提供。腾讯云小微IT领域专用引擎提供翻译支持
原文链接:

https://stackoverflow.com/questions/70859255

复制
相关文章

相似问题

领券
问题归档专栏文章快讯文章归档关键词归档开发者手册归档开发者手册 Section 归档