<div id="testdiv">
<div id="unique1" class="unique" name="unique" data-unique="1">test1</div>
<div id="unique2" class="unique1" name="unique" data-unique="2">test2</div>
<div id="unique3" class="unique" name="unique" data-unique="3">test3</div>
<div id="unique4" class="unique" name="unique" data-unique="4">test4</div>
<div id="unique5" class="unique" name="unique" data-unique="5">test5</div>
</div>
var i, imax;
var doc = document;
var test = doc.getElementById('testdiv').childNodes[0].innerHTML;
var test = doc.getElementsByClassName('unique1')[0].innerHTML;
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
getElementById | |
getElementById and getElementsByClassName |
Test name | Executions per second |
---|---|
getElementById | 28853520.0 Ops/sec |
getElementById and getElementsByClassName | 21813820.0 Ops/sec |
The JSON provided represents a benchmark designed to compare the performance of two different methods for selecting a DOM element. Specifically, it tests:
getElementById
method.getElementsByClassName
method.getElementById('testdiv').childNodes[0].innerHTML
testdiv
, accesses its first child node, and reads its inner HTML.getElementsByClassName('unique1')[0].innerHTML
unique1
and reads its inner HTML.1. getElementById
:
getElementById
is faster than class-based selectors because it directly accesses an element by its ID, which is unique and indexed for quick access.2. getElementsByClassName
:
getElementById
due to its need to search for all elements with that class name, rather than directly accessing a single element by ID.getElementById
has a higher number of executions per second (28,853,520) compared to getElementsByClassName
(21,813,820). This confirms that retrieving elements by ID is typically more efficient for situations where a single element needs to be accessed.In addition to the methods tested, there are other options that developers can use for DOM manipulation and querying:
querySelector
: Allows selecting of elements using CSS selectors. For instance, document.querySelector('#testdiv .unique1')
would return the first element with class unique1
under the testdiv
.
getElementById
and can be less predictable in performance depending on the complexity of the selectors.querySelectorAll
: Returns all matches of a CSS selector, giving a NodeList.
querySelector
.Using Libraries: Libraries like jQuery provide abstraction over native DOM methods, offering convenience functions like $('.unique1').html()
to achieve similar results.
In conclusion, selecting the right method for DOM manipulation largely depends on the needs of the application, the expected frequency of access, and performance requirements. Each method has its trade-offs, and understanding them helps developers make informed choices based on the specific needs of their applications.