假设我们有一个像这样的嵌套数组-
const arr = ['zero', ['one', 'two' , 'three', ['four', ['five', 'six', ['seven']]]]];
我们需要编写一个带嵌套数组的JavaScript函数。然后,我们的函数应返回一个字符串,其中包含由分号(';')连接的所有数组元素
因此,对于上述数组,输出应类似于-
const output = 'zero;one;two;three;four;five;six;seven;';
为此的代码将是-
const arr = ['zero', ['one', 'two' , 'three', ['four', ['five', 'six', ['seven']]]]]; const buildString = (arr = [], res = '') => { for(let i = 0; i < arr.length; i++){ if(Array.isArray(arr[i])){ return buildString(arr[i], res); } else{ res += `${arr[i]};` }; }; return res; }; console.log(buildString(arr));
输出结果
控制台中的输出将是-
zero;one;two;three;four;five;six;seven;