也许除了记忆之外还有更多的东西,但我没有看到源代码中有任何突出的东西。文档中宣传的所有内容都是记忆和重置它的方法,您基本上也可以使用不同的运算符来完成。我会说使用它的原因是它很方便。至少在简单的情况下,它比将不同的运算符绑定到combineLatest
.
另一个好处是它允许您集中与您的状态内部结构相关的逻辑。store.select(x => foo.bar.baz)
您可以为它创建一个选择器并执行store.select(selectBaz)
. 您可以将选择器组合到。通过这种方式,您应该只需要设置在一个地方遍历状态树的逻辑。如果您必须更改状态的结构,这将是有益的,因为您只需在一个地方进行更改,而不是找到每个选择器。不过,每个人都可能不喜欢创建更多样板。但作为必须对状态进行重大重构的人,我只使用选择器。
createSelector
虽然非常基础,但您只能将其用于基本类型的操作。在您检索只需要过滤子集的对象列表的情况下,它就不够用了。这是一个例子:
const selectParentVmById = (id: string) => createSelector<RootState, Parent, Child[], ParentVm>(
selectParentById(id),
selectChildren(),
(parent: Parent, children: Child[]) => (<ParentVm>{
...parent,
children: children.filter(child => parent.children.includes(child.id))
})
);
在这种情况下,选择器selectParentVmById
将在selectChildren()
发出不同的数组时发出,如果其中的任何元素发生更改,就会发生这种情况。如果更改的元素是父母的孩子之一,那就太好了。如果不是,那么您将获得不必要的流失,因为记忆是在整个列表而不是过滤列表(或者更确切地说是其中的元素)上完成的。我有很多这样的场景,并且开始只使用createSelector
简单的选择器并将它们与combineLatest
我自己的记忆组合并滚动。
这不是一般不使用它的理由,您只需要知道它的局限性。
额外学分
您的问题与此无关,但自从我提出问题后,我想我会给出完整的解决方案。我开始使用一个名为的自定义运算符distinctElements()
,它的作用类似于distinctUntilChanged()
但适用于列表中的元素,而不是列表本身。
这是运算符:
import { Observable } from 'rxjs/Observable';
import { startWith, pairwise, filter, map } from 'rxjs/operators';
export const distinctElements = () => <T extends Array<V>, V>(source: Observable<T>) => {
return source.pipe(
startWith(<T>null),
pairwise(),
filter(([a, b]) => a == null || a.length !== b.length || a.some(x => !b.includes(x))),
map(([a, b]) => b)
)
};
这里将重构上述代码以使用它:
const selectParentVmById = (store: Store<RootState>, id: string): ParentVm => {
return store.select(selectParentById(id)).pipe(
distinctUntilChanged(),
switchMap((parent) => store.select(selectChildren()).pipe(
map((children) => children.filter(child => parent.children.includes(child.id))),
distinctElements(),
map((children) => <ParentVm> { ...parent, children })
))
);
}
需要更多的代码,但它减少了浪费的工作。您可以shareReplay(1)
根据您的情况添加一个。