JavaScript数组深度扁平化处理
要求:把数组arr=[12,34,[122,324],[222,[333]];扁平化
思路:创建一个新数组,循环原数组判断每一项是否是数组是的话先递归,在调用const或push方法,不是直接const或push。
方法一:使用数组的concat方法(concat可以传入数组或值,合并到一个新的数组中。)
const arr = [12,34,[122,324],[222,[333]]]; function flatten(arr) { let res = []; arr.forEach(el => { if (el instanceof Array) { let newArr = flatten(el); res = res.concat(newArr) } else { res = res.concat(el); } }) return res } let newArr = flatten(arr); console.log(newArr); // [ 12, 34, 122, 324, 222, 333 ]
方法二:使用数组的push方法,数组递归之后再循环往新数组添加
const arr = [12,34,[122,324],[222,[333]]]; function flatten(arr) { let res = []; arr.forEach(el => { if (el instanceof Array) { let newArr = flatten(el); newArr.forEach(item => res.push(item)) } else { res.push(el); } }) return res } let newArr = flatten(arr); console.log(newArr); // [ 12, 34, 122, 324, 222, 333 ]