<!--your preparation HTML code goes here-->
/*your preparation JavaScript code goes here
To execute async code during the script preparation, wrap it as function globalMeasureThatScriptPrepareFunction, example:*/
async function globalMeasureThatScriptPrepareFunction() {
// This function is optional, feel free to remove it.
// await someThing();
}
/*When writing async/deferred tests, use `deferred.resolve()` to mark test as done*/
const arr = Array.from(1000, () => "duumy");
arr[Symbol.iterator]().forEach(v => {
var a = v
});
const arr = Array.from(1000, () => "duumy");
for (var v of arr) {
var a = v
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
forEach | |
for of |
Test name | Executions per second |
---|---|
forEach | 6801028.5 Ops/sec |
for of | 9104716.0 Ops/sec |
The benchmark provided tests the performance of two different JavaScript iteration methods over an array: forEach
and for...of
. Each method is assessed based on its execution speed, quantified in the number of executions per second.
forEach
arr[Symbol.iterator]().forEach(v => {
var a = v;
});
forEach
is being used on an iterator created from an array.for...of
for (var v of arr) {
var a = v;
}
for...of
loop achieved 14,549,238 executions per second, whereas forEach
recorded 10,819,038 executions per second.for...of
is significantly faster in this case, roughly performing about 34% more executions per second compared to forEach
.Pros:
Cons:
break
, continue
, or return
statements for early exit from the iteration.Pros:
forEach
, as shown in the benchmark.break
, continue
, and return
statements within the loop, offering more control flow options.Cons:
forEach
for simple operations.for...of
loop can work directly with any iterable, including arrays, strings, and custom iterables, making it versatile.forEach
is inherently bound to arrays, which can limit its applicability.Some alternative iteration methods to consider include:
Traditional for Loop: Often yields the best performance, especially for large arrays, given the direct index manipulation.
for (let i = 0; i < arr.length; i++) {
var a = arr[i];
}
forEach with Arrow Function: Similar in nature to the provided forEach
, emphasizes a functional programming approach but doesn't change performance characteristics.
map and filter: These methods provide functional processing of arrays with their own performance implications, but they create new arrays and thus may not be suitable for scenarios where performance is critical and no new array is needed.
Overall, choosing between these methods often depends on the specific use case and performance requirements of the application.