1

我几乎是该redux模式的新手,并且刚刚开始使用ngrx. 它太棒了,我想尽可能多地使用它,但我有几个关于这个Store概念的问题。

我将尝试通过一些示例来描述问题,并在本文末尾提出我的问题。

让我们从AppState接口和减速器开始:

export interface AppState{
   people: Person[],
   events: Event[]
}

//events reducer
export function eventsReducer(state: any = {}, {type, payload}): Event[]{
  switch(type){
    case "ADD_EVENT":
      return [...state, payload];
    default:
      return state;
  }
}

//people reducer
export function peopleReducer(state: any = {}, {type, payload}): Person[]{
  switch(type){
    case "ADD_PERSON":
      return [...state, payload];
    default:
      return state;
  }
}

//root reducer
const root: ActionReducer<AppState> = combineReducers({people: peopleReducer, events: eventsReducer});
const INITIAL_STATE = {
   people:[],
   events: []
}
export function rootReducer(state: any = INITIAL_STATE, action: any){
   return root(state, action);
}

rootReducer是这样添加的:

//part of the AppModule
...
imports:[
...,
StoreModule.provideStore(rootReducer)
]

主要AppComponent是我如何访问store

//part of the AppComponent
export class AppComponent{
   people: Observable<Person[]>;
   events: Observable<Event[]>;

   constructor(private store: Store<AppState>){
      this.people = store.select('people');
      this.events = store.select('events');
   }
}

现在,一切正常,我真的很喜欢这个概念,但我注意到,如果我从AppState界面中删除其中一个属性(例如,我删除了该people属性,其他一切都保持不变),则没有任何变化(或中断)。

所以我想知道拥有Store<AppState>而不是仅仅的主要原因是Store什么以及使用的主要优点是什么Store<AppState>(它实际上与仅仅使用有所不同Store)?此外,有没有办法在 AppState 更改时至少强制执行运行时错误,但其他一切都保持不变?

我用错的可能性也很高,但我还是想知道这些问题的答案。

4

1 回答 1

1

store 的select方法可以传递一个或多个属性字符串或选择器函数。

当传递属性字符串时,它的行为类似于pluck. 当传递一个选择器函数时,它的行为类似于map.

这些之间的显着区别是传递给的属性路径pluck不能进行类型检查和pluck返回Observable<any>,因此状态的类型信息基本上丢失了。

相反,如果您使用选择器函数,您将看到缺少属性等的 TypeScript 错误。

例如,这个:

store.select(state => state.missing);

会产生错误,而这不会:

store.select('missing');
于 2017-06-13T01:01:05.813 回答