我有多维数组,我需要垂直和对角计算字符数。排成一行没问题,但我不能像垂直和对角线那样对其进行迭代。请提示。
const arrayData = [
['a', 'b', 'c'],
['a', 'f', 'g'],
['b']
];
我的代码如下:
const countChars = (input, direction) => {
if (direction === 'row') {
return input.reduce((acc, curr) => {
acc[curr] = acc[curr] ? ++acc[curr] : 1;
return acc;
}, {});
}
if (direction === 'column') {
for (let row = 0; row < input.length; row++) {
for (let column = 0; column < input[row].length; column++) {
console.log(input[column][row]);
}
console.log('---');
}
}
if (direction === 'diagonal') {
// diagonally
}
}
但是对于列,我得到的结果是:
a
a
b
---
b
f
undefined
---
c
因此,由于未定义,我在那里丢失了一个字符。
结果应类似于列:
{ 'a': 2, 'b': 1 }
{ 'b': 1, 'f': 1 }
{ 'c': 1, 'g': 1 }
您可以迭代数组并在相同的索引处收集相同的值。
const
array = [['a', 'b', 'c'], ['a', 'f', 'g'], ['b']],
result = array.reduce((r, a) => {
a.forEach((v, i) => {
r[i] = r[i] || {};
r[i][v] = (r[i][v] || 0) + 1;
});
return r;
}, []);
console.log(result);
.as-console-wrapper { max-height: 100% !important; top: 0; }