Home > Blockchain >  Merge object data with same date
Merge object data with same date

Time:11-10

I have the following array I need help with.

let test = [
{
  date: ["2021-11-09", "2021-11-09", "2021-11-10", "2021-11-10"],
  amount: [0.5, 0.5, 1, 2],
}];

How can I merge the amounts that have the same date? I want the data to be returned as below:

date: ["2021-11-09", "2021-11-10"],
amount: [1, 3],

Thank you in advance!

CodePudding user response:

As mentioned in the comments, this is just a 'group by' by date from the date array, summing the elements at the same index in the amount array.

let test = [
  {
    date: ['2021-11-09', '2021-11-09', '2021-11-10', '2021-11-10'],
    amount: [0.5, 0.5, 1, 2],
  },
];

const result = test.map(({ date, amount }) => {
  const grouped = date.reduce((a, d, i) => a.set(d, (a.get(d) ?? 0)   amount[i]), new Map());

  return {
    date: [...grouped.keys()],
    amount: [...grouped.values()],
  };
});

console.log(result);
.as-console-wrapper { max-height: 100% !important; top: 0; }
<iframe name="sif1" sandbox="allow-forms allow-modals allow-scripts" frameborder="0"></iframe>

CodePudding user response:

You could do with Array#map and Array#reduce. Then iterate the date array after that add the amount based in index of date array. Array#reduce return the object. So separate the date and amount use Object#values and Object#keys

let test = [ { date: ["2021-11-09", "2021-11-09", "2021-11-10", "2021-11-10"], amount: [0.5, 0.5, 1, 2], }];

const res = test.map(({date,amount})=> {
  const sumObj = date.reduce((acc,c,i)=>(acc[c] = (acc[c] || 0) amount[i],acc),{})
  return ({date:Object.keys(sumObj),amount:Object.values(sumObj)})
})
  
console.log(res)
<iframe name="sif2" sandbox="allow-forms allow-modals allow-scripts" frameborder="0"></iframe>

  • Related