下面是一段代码,如果CategoryId
相同,则将金额相加,并为每个line item
创建一个新的CategoryId
。
self.OriginalLineItems = [
{ CategoryId: 'Cat1', Amount: 15, Type: 'TypeA' },
{ CategoryId: 'Cat1', Amount: 30, Type: 'TypeA' },
{ CategoryId: 'Cat1', Amount: 20, Type: 'TypeB' },
{ CategoryId: 'Cat2', Amount: 10, Type: 'TypeA' },
{ CategoryId: 'Cat2', Amount: 5, Type: 'TypeB' }]
self.newLineItems = [];
self.OriginalLineItems.forEach(function (o) {
if (!this[o.CategoryId]) {
this[o.CategoryId] = { CategoryId: o.CategoryId, Amount: 0, Type: o.Type };
self.newLineItems.push(this[o.CategoryId]);
}
this[o.CategoryId].Amount += o.Amount;
}, Object.create(null));
这将导致以下数组:
self.newLineItems = [{ CategoryId: 'Cat1', Amount: 65, Type: 'TypeA' },
{ CategoryId: 'Cat2', Amount: 15, Type: 'TypeA' }]
但是我想添加一个新的条件,即Type,如何获得下面的结果?
self.newLineItems = [{ CategoryId: 'Cat1', Amount: 45, Type: 'TypeA' },
{ CategoryId: 'Cat1', Amount: 20, Type: 'TypeB' },
{ CategoryId: 'Cat2', Amount: 10, Type: 'TypeA' },
{ CategoryId: 'Cat2', Amount: 5, Type: 'TypeB' }]
我找不到链接问题的解决方案。
答案 0 :(得分:4)
您可以使用reduce()
,findIndex()
和every()
来做到这一点。
reduce()
中将累加器设置为[]
。findIndex()
在ac
中找到所有键都相同的对象。every()
内使用findIndex()
来检查是否所有需要匹配的keys
都具有相同的值。findIndex()
返回-1
,则将项目添加到ac
,否则在找到的Amount
处增加项目index
let array = [
{ CategoryId: 'Cat1', Amount: 15, Type: 'TypeA' },
{ CategoryId: 'Cat1', Amount: 30, Type: 'TypeA' },
{ CategoryId: 'Cat1', Amount: 20, Type: 'TypeB' },
{ CategoryId: 'Cat2', Amount: 10, Type: 'TypeA' },
{ CategoryId: 'Cat2', Amount: 5, Type: 'TypeB' }]
function addBy(arr,keys){
return arr.reduce((ac,a) => {
let ind = ac.findIndex(x => keys.every(k => x[k] === a[k]));
ind === -1 ? ac.push(a) : ac[ind].Amount += a.Amount;
return ac;
},[])
}
console.log(addBy(array,["CategoryId","Type"]));
答案 1 :(得分:3)
您可以像这样为对象创建密钥(在循环中):
const key = JSON.stringify([o.CategoryId, o.Type]);
然后将this[o.CategoryId]
替换为this[key]
。就是这样。