js 数组如何重新分组归类?

let a = [
  {name:'深圳-宝安'},
  {name:'广州-南沙'},
  {name:'深圳-福田'},
  {name:'广州-番禺'},
]

需要得到:

let b = [
  {
     Province:'广州',
     childList: [
       {city: '南沙'},
       {city: '番禺'}
     ]
  },
  {
     Province:'深圳',
     childList: [
       {city: '宝安'},
       {city: '福田'}
     ]
  }
]
阅读 2.5k
4 个回答
let b = a.reduce((res, item) => {
    let [province, city] = item.name.split('-')
    let parent = res.find(i => i.Province === province)
    if(parent){
        parent.childList.push({city})
    }else{
        res.push({Province: province, childList: [{city}]})
    }
    return res
}, [])
tmp = {};
b = [];

for (let item of a) {
    const [cityName, areaName] = item.name.split('-');
    if (tmp[cityName] === undefined) {
        tmp[cityName] = b.length;
        b.push({ Province: cityName, childList: [ { city: areaName } ] });
    } else {
        const cur = b[tmp[cityName]];
        b[tmp[cityName]] = { ...cur, childList: [ ...cur.childList, { city: areaName } ] };
    }
}
const b = Object
    .entries(
        a.map(({ name }) => name.split("-"))
            .reduce((group, [province, city]) => {
                (group[province] ??= []).push({ city });
                return group;
            }, {})
    )
    .map(([Province, childList]) => ({ Province, childList }));

console.dir(b, { depth: null });

我看你关于集合数据处理的问题不少啊,来看看这两篇:

let a = [
        {name: '深圳-宝安'},
        {name: '广州-南沙'},
        {name: '深圳-福田'},
        {name: '广州-番禺'},
    ]

    let b = a.map(it => {
        let splits = it.name.split("-");
        return {
            province: splits[0],
            city: splits[1],
        }
    })
    let c = b.reduce((acc, item) => {
        const finder = acc.find(subItem => subItem.province === item.province)
        if (!finder) {
            acc.push({
                province: item.province,
                childList: [item]
            })
        } else {
            finder.childList.push(item)
        }
        return acc;
    }, [])
    console.log(c)
撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进
推荐问题