如果满足两个条件,则Javascript值的总和

时间:2019-03-08 06:01:50

标签: javascript arrays

下面是一段代码,如果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' }]

我找不到链接问题的解决方案。

2 个答案:

答案 0 :(得分:4)

您可以使用reduce()findIndex()every()来做到这一点。

  1. reduce()中将累加器设置为[]
  2. 然后使用findIndex()ac中找到所有键都相同的对象。
  3. 您需要在every()内使用findIndex()来检查是否所有需要匹配的keys都具有相同的值。
  4. 如果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]。就是这样。