我们需要编写一个JavaScript函数,该函数接受两个相同长度的数组。
然后,我们的函数应合并数组的相应元素,以形成输出数组的相应子数组,然后最终返回输出数组。
如果两个数组是-
const arr1 = ['a', 'b', 'c']; const arr2 = [1, 2, 3];
那么输出应该是-
const output = [ ['a', 1], ['b', 2], ['c', 3] ];
为此的代码将是-
const arr1 = ['a', 'b', 'c']; const arr2 = [1, 2, 3]; const combineCorresponding = (arr1 = [], arr2 = []) => { const res = []; for(let i = 0; i < arr1.length; i++){ const el1 = arr1[i]; const el2 = arr2[i]; res.push([el1, el2]); }; return res; }; console.log(combineCorresponding(arr1, arr2));
输出结果
控制台中的输出将是-
[ [ 'a', 1 ], [ 'b', 2 ], [ 'c', 3 ] ]