在 JavaScript 中将数组拆分为组
我们需要编写一个 JavaScript 函数,该函数接收一个文字数组和一个数字,并将数组(第一个参数)拆分为组,每个组的长度均为 n(第二个参数),并返回如此形成的二维数组。
如果数组和数字为 −
const arr = ['a', 'b', 'c', 'd']; const n = 2;
那么输出应为 −
const output = [['a', 'b'], ['c', 'd']];
示例
现在让我们编写代码 −
const arr = ['a', 'b', 'c', 'd']; const n = 2; const chunk = (arr, size) => { const res = []; for(let i = 0; i < arr.length; i++) { if(i % size === 0){ // Push a new array containing the current value to the res array res.push([arr[i]]); } else{ // Push the current value to the current array res[res.length-1].push(arr[i]); }; }; return res; }; console.log(chunk(arr, n));
输出
而控制台中的输出为 −
[ [ 'a', 'b' ], [ 'c', 'd' ] ]
广告