我几乎是该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 更改时至少强制执行运行时错误,但其他一切都保持不变?
我用错的可能性也很高,但我还是想知道这些问题的答案。