var data = [1, 2, 3, 4, 5, 6, 7, 8, 9, 0];
var copy = data.slice(3, 8);
var copy = new Array(8 - 3);
for (var i = 3; i < 8; i++) {
copy[i] = data[i];
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
slice | |
push |
Test name | Executions per second |
---|---|
slice | 1319991.9 Ops/sec |
push | 266989.9 Ops/sec |
This benchmark tests two different ways to create a subarray from an existing array in JavaScript: using the slice()
method and manually iterating with a for
loop to construct a new array (push
).
Let's break down each approach:
1. slice()
Method:
data.slice(3, 8)
creates a new array containing elements from the original array (data
) starting at index 3 (inclusive) and ending at index 8 (exclusive).2. for
Loop with push()
:
for
loop iterates from index 3 to 7 (inclusive), copying each element from the original array (data
) to a newly created array (copy
).slice()
. It involves multiple steps (allocation of a new array, iteration, assignment) which might add overhead.Considerations:
slice()
method is significantly faster for subarray creation tasks. slice()
method offers cleaner and more readable code.slice()
accomplishes the task with a single line, while the for
loop approach requires multiple lines.Alternatives:
While these are the primary methods illustrated in this benchmark, there are other ways to create subarrays:
slice()
for large arrays. splice()
method: Can be used to extract a subarray and modify the original array, which might be relevant in certain scenarios but adds side effects.