计算具有匹配数据的数组然后推送到新数组

Count array with matching data then push to new array

我需要弄清楚如何对数组进行计数,然后仅组合匹配的数组。

例子

const info = [ { name: 'John', date:'2022-04-11', type: '2', time: 5.00 },
               { name: 'Dave', date:'2022-04-12', type: '3', time: 6.00 },
               { name: 'John', date:'2022-04-11', type: '2', time: 2.00 },
               { name: 'John', date:'2022-04-15', type: '2', time: 3.00 } ];

预期的结果应该检查相同的类型、名称和日期,它们结合了时间。 新数组应该看起来像这样。

可以用 forloop 来完成,但我想尝试用 es6 创建一个解决方案。

但我有点不确定如何处理这个问题。

const expected = [ { name: 'John', date:'2022-04-11', type: '2', time: 7.00 },
                     name: 'Dave', date:'2022-04-12', type: '3', time: 6.00 },
                     name: 'John', date:'2022-04-15', type: '2', time: 3.00 } ];

例如,您可以创建一个对象,其中键是名称、日期、类型的组合,值是时间

  let grouped = info.reduce((acc, curr) => {
  let key = `${curr.name}${curr.date}${curr.type}`;
  if (!acc[key]) {
    acc[key] = {
      name: curr.name,
      date: curr.date,
      type: curr.type,
      time: curr.time,
    };
  } else {
    acc[key].time += curr.time;
  }
  return acc;
}, {});

let expected = Object.values(grouped);

您可以结合使用 .reduce 和 .find

const info = [ { name: 'John', date:'2022-04-11', type: '2', time: 5.00 },
               { name: 'Dave', date:'2022-04-12', type: '3', time: 6.00 },
               { name: 'John', date:'2022-04-11', type: '2', time: 2.00 },
               { name: 'John', date:'2022-04-15', type: '2', time: 3.00 } ];


const result = info.reduce((acc, x) => {
  const foundObj = acc.find(y => y.name === x.name && y.date === x.date && y.type === x.type);
  if (foundObj) {
    foundObj.time += x.time;
  } else {
    acc.push(x);
  }
  return acc;
}, []);
console.log(result)