const variable = document.createElement("div")
const array = [document.createElement("div")]
function setVariable() {
variable.setAttribute("style", `transform: translate3d(${Math.random()}px, ${Math.random()}px, ${Math.random()}px)`)
}
function setArray() {
array.forEach((elem)=>{ elem.setAttribute("style", `transform: translate3d(${Math.random()}px, ${Math.random()}px, ${Math.random()}px)`) })
}
setVariable()
setArray()
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Single element in variable | |
Single element in array |
Test name | Executions per second |
---|---|
Single element in variable | 930289.1 Ops/sec |
Single element in array | 952574.5 Ops/sec |
The benchmark is designed to compare the performance of using a single DOM element stored in a variable versus an array containing a single DOM element. The goal is to evaluate how these different approaches impact the performance when applying style transformations to the stored elements.
Single Element in Variable (setVariable()
):
setVariable()
sets an attribute on this element to apply a transformation using random pixel values.Single Element in Array (setArray()
):
setArray()
iterates through the array (which contains just one element) and applies the transformation style to it.The benchmark results show that the setVariable()
function executes approximately 930,289.0625 times per second while the setArray()
function runs more frequently with an execution rate of about 952,574.5 executions per second.
Although setArray()
performs better, it’s essential to consider both functions are closely matched in terms of performance, as they both involve manipulating a single DOM element. The difference in execution counts suggests that while arrays introduce overhead, modern JavaScript engines are incredibly optimized, leading to relatively minimal performance discrepancies even in this scenario.
Using Direct DOM Manipulation Without a Wrapper: Instead of wrapping elements in a variable or array, one could directly manipulate the DOM by selecting elements through methods like document.querySelector()
or similar. While this can offer flexibility, it typically comes with its own performance costs due to repeated lookups.
Batch DOM Updates: If manipulating multiple elements, consider using techniques to batch DOM updates rather than individually setting styles in quick succession, which reduces reflows and repaints.
By understanding these distinctions between manipulating single elements in variables versus arrays, software engineers can make more informed decisions based on performance needs and application requirements.