<div id="testElement" data-x="xxx"></div>
var el = document.getElementById('testElement');
var className = el.className;
var el = document.querySelector('#testElement');
var className = el.className;
var el = document.querySelector('[data-x=xxx]');
var className = el.className;
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
getElementById | |
querySelector | |
data |
Test name | Executions per second |
---|---|
getElementById | 24300790.0 Ops/sec |
querySelector | 9083351.0 Ops/sec |
data | 13653726.0 Ops/sec |
The benchmark defined in the provided JSON assesses the performance of different methods for selecting DOM (Document Object Model) elements in JavaScript. In particular, it compares the following three approaches:
getElementById
:
querySelector
(Basic Selector):
testElement
.getElementById
for selecting elements by ID, due to the need to parse the selector and potentially lookup multiple elements.querySelector
(Attribute Selector):
data-x="xxx"
).querySelector
, performance can be lower compared to getElementById
, primarily due to the additional overhead of handling CSS selectors, especially as the complexity increases. In this case, it still adds an additional layer of complexity as it targets based on an attribute rather than a direct ID.The benchmark results indicate the number of executions per second for each method, revealing:
getElementById
showed the highest performance at approximately 24.3 million executions per second.querySelector
targeting the ID returned about 13.7 million executions per second, which is significant but not as efficient as getElementById
.querySelector
using the attribute selector performed the slowest at about 9 million executions per second.Performance impacts can vary based on browser implementations and the complexity of the DOM structure being queried. In general, if you know the element has a unique ID, getElementById
is preferred for speed. However, for more complex selections (like class names or data attributes), querySelector
is powerful and flexible, making it suitable for a wider range of scenarios.
Other alternatives for selecting elements in the DOM include:
getElementsByClassName
: Selects elements by class name. It's faster than querySelector
for class-based selections but can return a live HTMLCollection rather than a single element or NodeList.getElementsByTagName
: Similar to getElementsByClassName
, it retrieves all elements with a specified tag name. It's useful for operations where the tag name is known.Understanding these various methods can help engineers choose the best approach for their specific needs, balancing performance with code clarity and maintainability.