在Reducer中,可以通过使用数组的reduce方法来实现分组的功能。假设有以下的数据列表:
const data = [
{ id: 1, groupId: 1, name: 'item1' },
{ id: 2, groupId: 1, name: 'item2' },
{ id: 3, groupId: 2, name: 'item3' },
{ id: 4, groupId: 2, name: 'item4' }
];
现在需要将这个列表按照groupId进行分组。在Reducer中,可以这样实现:
import { createReducer, on } from '@ngrx/store';
import { groupBy } from 'lodash-es';
import * as actions from './my.actions';
interface State {
// ...
groups: { id: number, items: any[] }[];
}
export const initialState: State = {
// ...
groups: []
};
export const myReducer = createReducer(
initialState,
// ...
on(actions.loadSuccess, (state, { data }) => {
const groups = Object.entries(groupBy(data, 'groupId'))
.map(([groupId, items]) => ({ id: parseInt(groupId), items }));
return { ...state, groups };
})
// ...
);
在上面的代码中,首先引入了lodash-es库中的groupBy方法来对数据进行分组。然后,Map对象的entries方法将分组结果转换为数组,再使用map方法将结果从[key, value]形式转换为{id, items}形式。
最后,将分组结果添加到Reducer的状态中,供前端页面使用。