关于javascript:es6将二维多维数组转化为一维数组

32次阅读

共计 471 个字符,预计需要花费 2 分钟才能阅读完成。

扁平化数组 Array.prototype.flat()办法
应用办法总结

  1. Array.prototype.flat() 用于将嵌套的数组“拉平”,变成一维的数组。该办法返回一个新数组,对原数据没有影响。
const abc = [1, 2, [3, 4,]]
console.log(abc.flat()) // [1, 2 ,3 ,4]
  1. 不传参数时,默认“拉平”一层,能够传入一个整数,示意想要“拉平”的层数。
const abc = [1, 2, [3, 4, [5, 6, 7]]]
console.log(abc.flat(2)) //  [1, 2, 3, 4, 5, 6, 7]
  1. Infinity 关键字作为参数时,无论多少层嵌套,都会转为一维数组。
const abc = [1, 2, [3, 4, [5, 6, 7], [8, 9]]]
console.log(abc.flat(Infinity))  // [1, 2, 3, 4, 5, 6, 7, 8, 9]
  1. 如果原数组有空位,Array.prototype.flat() 会跳过空位。
 const abc = [1, 2, , [3, 4,]]
 console.log(abc.flat()) // [1, 2 , 3 , 4]

正文完
 0