如何合并子子数组并通过子数组索引添加其长度?

时间:2018-10-07 16:08:31

标签: javascript arrays sub-array

我有一个带有一些子数组的数组(下面的代码描述了每个子数组都有两个子子数组的情况,该数目可以变化,可以是五个,但是在这种情况下,我们知道它们都将具有五个长度不同的子数组)。像这样:

let arrayA = [
              [['a']            , ['b','c','d']],  //lengths  1  and  3 
              [['e','f','g','z'], ['h','i','j']],  //lengths  4  and  3
              [['k','l']        , ['m','n']]       //lengths  2  and  2 
                                                   //sums     7  and  8
             ]

我们要通过每个子数组所属的子数组的索引来添加它们的长度:

let arrayB = [[7],[8]] 

实现此目标的最佳方法是什么?

3 个答案:

答案 0 :(得分:2)

您可以使用reduce来汇总数组。使用forEach遍历内部数组。

let arrayA = [[["a"],["b","c","d"]],[["e","f","g","z"],["h","i","j"]],[["k","l"],["m","n"]]];

let result = arrayA.reduce((c, v) => {
  v.forEach((o, i) => {
    c[i] = c[i] || [0];
    c[i][0] += o.length;
  })
  return c;
}, []);

console.log(result);

答案 1 :(得分:1)

您可以通过对映射总和的lenght属性进行伸缩来减少数组。然后将结果包装在另一个数组中。

var array = [[['a'], ['b', 'c', 'd']], [['e', 'f', 'g', 'z'], ['h', 'i', 'j',]], [['k', 'l'], ['m', 'n']]],
    result = array
        .reduce((r, a) => a.map(({ length }, i) => (r[i] || 0) + length), [])
        .map(a => [a]);

console.log(result);
.as-console-wrapper { max-height: 100% !important; top: 0; }

答案 2 :(得分:1)

从原始数组创建一个只有第一个子数组的长度的新数组。 然后使用slice创建另一个数组,该数组包含从索引1到其距原始数组的长度的元素。

然后使用forEach并使用index

let arrayA = [
  [
    ['a'],
    ['b', 'c', 'd']
  ],
  [
    ['e', 'f', 'g', 'z'],
    ['h', 'i', 'j', ]
  ],
  [
    ['k', 'l'],
    ['m', 'n']
  ]
]

let initialElem = arrayA[0].map((item) => {
  return [item.length]
})
let secElem = arrayA.slice(1, arrayA.length).forEach(function(item, index) {
  if (Array.isArray(item)) {
    item.forEach(function(elem, index2) {
      initialElem[index2][0] = initialElem[index2][0] + elem.length
    })
  }

})
console.log(initialElem)