maind = document.createElement('div');
for (let i = 0; i < 10000; i++) {
let d = document.createElement('div');
maind.appendChild(d);
}
document.body.appendChild(maind);
Array.prototype.slice.call( maind.querySelectorAll('div') );
[].slice.call( maind.querySelectorAll('div') );
[maind.querySelectorAll('div')]
a=[];
for(let i=0; i<10000; i++) {
a.push(maind[i]);
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Array.prototype.slice.call | |
[].slice.call | |
... | |
push |
Test name | Executions per second |
---|---|
Array.prototype.slice.call | 236.3 Ops/sec |
[].slice.call | 240.2 Ops/sec |
... | 169.5 Ops/sec |
push | 138.3 Ops/sec |
Let's break down the provided benchmark and its various aspects.
Benchmark Definition The provided JSON represents a JavaScript microbenchmarking framework, MeasureThat.net. It includes:
maind
with 10,000 child elements (div
), which serves as the source of data for the benchmark. This setup ensures that the test cases measure performance based on manipulating a large dataset.Individual Test Cases
Each test case compares different ways to convert the result of querySelectorAll('div')
from a NodeList (a collection of DOM nodes) into an array. The test cases are:
slice()
function, followed by calling call()
on the resulting array prototype.Array.prototype
....
) to convert the NodeList into an array. The spread operator is supported in modern JavaScript and was introduced in ES6.a=[]; for (let i = 0; i < 10000; i++) { a.push(maind[i]); };
: This test case uses a variable a
initialized as an empty array, and then pushes each element from the NodeList onto it. The resulting array is not explicitly created or converted.Library Usage
In this benchmark, none of the libraries are explicitly used beyond what's built into modern JavaScript (e.g., ES6 features like spread operator (...
) or Array.prototype.slice()
).
Special JS Feature/Syntax The benchmark makes use of several modern JavaScript features:
...
): This feature was introduced in ES6 and allows for converting a NodeList to an array by simply listing its elements after the expression.maind.querySelectorAll('div')
is used without quotes, which might be considered shorthand or syntax highlighting in some IDEs but isn't technically "template literals" in this context.Pros and Cons of Different Approaches
Array.prototype.slice()
due to reduced overhead.Alternatives There are alternative ways to convert a NodeList into an array:
Array.from()
method (introduced in ES6) which provides more control over the resulting array than spread operator or slice()
.Array.prototype.slice()
, though this is less efficient due to the overhead of converting back and forth.Overall, MeasureThat.net's benchmark highlights performance differences between various methods for converting a NodeList into an array. The results can be useful in understanding the trade-offs involved when choosing between different approaches in JavaScript development.