SoFunction
Updated on 2025-04-03

JavaScript array flattening implementation

join toString

These two methods convert the type of the array element to a string

var arr = [1, [2, [3, [4, 5]]], 6];
(()); //1,2,3,4,5,6
(()); //1,2,3,4,5,6

var flatArr = ().split(','); // ["1", "2", "3", "4", "5", "6"]
var flatArr = ().split(',');// ["1", "2", "3", "4", "5", "6"]

Disadvantages: After converting to a one-dimensional array, the array element needs to be converted to a string.

es6 flat

() is used to "flatten" the nested array and turn it into a one-dimensional array. This method returns a new array, which has no effect on the original data
flat() will only "flat" one layer by default. If you want to "flat" a nested array of multiple layers, you can write the parameters of the flat() method as an integer to represent the number of layers you want to flatten, and the default is 1.

If you have to convert it into a one-dimensional array no matter how many layers of nesting are there, you can use the Infinity keyword as a parameter.

(Infinity); // [1, 2, 3, 4, 5, 6]

Disadvantages: Compatibility of flat method needs to be considered

Recursive traversal

function flatten(arr) { 
  return ((acc, cur)=> { // Recursive when encountering nesting    return ((cur) ? 
    flatten(cur) : cur);  
  }, []); 
}
(flatten(arr)); // [1, 2, 3, 4, 5, 6]

Recursive traversal

function flatten(arr) {

  while ((item => (item))) {
    arr = [].concat(...arr);
  }

  return arr;
}

(flatten(arr)); // [1, 2, 3, 4, 5, 6]

The above is all the content of this article. I hope it will be helpful to everyone's study and I hope everyone will support me more.