<div id="b"></div>
function a(c) {
c && document.addEventListener('DOMNodeInserted', () => {})
for (let i = 100; i--;) {
let element = b.cloneNode()
document.body.appendChild(element)
document.body.removeChild(element)
}
}
a(false)
a(true)
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Normal | |
MutationEvents |
Test name | Executions per second |
---|---|
Normal | 4046.4 Ops/sec |
MutationEvents | 35.1 Ops/sec |
The benchmark defined in the JSON focuses on the performance of two different approaches to inserting and removing DOM elements using JavaScript, particularly in relation to the old MutationEvents
API.
Functionality: The benchmark is designed to test the performance impact of using MutationEvents
when inserting and removing elements from the DOM, which is an event-based mechanism that notifies you when nodes are added or removed.
Preparation Code:
a(c)
which accepts a boolean parameter c
. c
is true, it attaches an event listener for DOMNodeInserted
, which triggers each time a new node is added to the DOM.<div>
with ID b
), appends it to the DOM, and immediately removes it.HTML Preparation: The code specifies that there is a div element with the ID b
in the HTML document, which is used for cloning during the benchmark.
The benchmark includes two specific test cases:
Normal (a(false)):
a
with c
set to false
, meaning that no event listener for DOMNodeInserted
is added. Therefore, the function runs the insert-remove loop without tracking mutation events.MutationEvents (a(true)):
a
with c
set to true
, enabling the event listener for DOMNodeInserted
. Each insertion of a node will now trigger the event listener, adding overhead to the operations.Based on the results:
Pros of Using Normal Approach:
Cons of Using MutationEvents Approach:
Mutation Observers: Instead of using the older Mutation Events
, modern web applications can utilize MutationObserver
, which provides a more performant way to watch for changes in the DOM. It has a non-blocking, callback-based architecture that can be more efficient for observing large changes.
Direct DOM Manipulation: For situations where performance is crucial and mutation tracking is not required, developers can directly manipulate the DOM (like in the Normal case). This approach can leverage batch updates and reduce overall DOM repainting.
Virtual DOM: Frameworks like React utilize a Virtual DOM to minimize direct interactions with the actual DOM, improving performance and optimizing re-renders without requiring mutation tracking.
By considering these benchmarks and alternatives, software engineers can choose the most appropriate method for their applications based on the necessity of DOM mutation tracking and performance requirements.