var params = Array(1000);
var array = Array(100);
var other = array.concat(params);
var params = Array(1000);
var array = Array(100);
var other = [ array, params ]
var params = Array(1000);
var array = Array(100);
var other = array.push(params);
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Array.prototype.concat | |
spread operator | |
Push |
Test name | Executions per second |
---|---|
Array.prototype.concat | 1548080.5 Ops/sec |
spread operator | 247534.3 Ops/sec |
Push | 460680.1 Ops/sec |
The benchmark described compares three different methods of combining arrays in JavaScript: the traditional Array.prototype.concat
method, the ES6 spread operator, and the Array.prototype.push
method with the spread operator used to spread elements into the array. The goal is to assess the performance differences between these approaches when adding a large array (1,000 elements) to a smaller one (100 elements).
Array.prototype.concat
var params = Array(1000);
var array = Array(100);
var other = array.concat(params);
Spread Operator ([...]
)
var params = Array(1000);
var array = Array(100);
var other = [...array, ...params];
concat
, it does not modify the original arrays; it creates a new array.concat
, especially with very large datasets.Push Method (push(...params)
)
var params = Array(1000);
var array = Array(100);
var other = array.push(...params);
push
method modifies the existing array, potentially making it faster in terms of memory operations.Array.prototype.concat
was the fastest option in this benchmark, achieving over 1.5 million executions per second.concat
but faster than the spread operator.concat
and push
.concat
is currently the fastest method, the readability of the spread operator may make it preferable in many codebases, especially for smaller arrays. For larger arrays and performance-critical applications, concat
could be the better choice.push
alters the original array, which is crucial to consider in functional programming paradigms where immutability is often preferred.Array.from()
in conjunction with methods like map()
to transform and combine arrays, although this approach typically lacks the performance benefits of the above methods.In conclusion, when selecting a method for combining arrays, developers should balance performance, readability, and mutability based on the needs of their specific application or context.