<!--your preparation HTML code goes here-->
class CustomTarget {
constructor() {
this.listeners = {};
}
on(eventName, listener) {
if (!(eventName in this.listeners)) {
this.listeners[eventName] = new Set();
}
this.listeners[eventName].add(listener);
}
off(eventName, listener) {
this.listeners[eventName]?.delete(listener);
}
send(eventName, data) {
if (!this.listeners[eventName]) {
return 0;
}
for (let fn of this.listeners[eventName]) {
fn(data);
}
return this.listeners[eventName].count;
}
}
const listeners = 10;
const events = 1000;
const setupCustom = () => {
const target = new CustomTarget();
let total = 0;
for (let i = 0; i < listeners; i++) {
target.on('foo', (inc) => { total = total + inc });
}
return () => {
for (let i = 0; i < events; i++) {
target.send('foo', 5);
}
}
}
const setupNative = () => {
const target = new EventTarget();
let total = 0;
for (let i = 0; i < listeners; i++) {
target.addEventListener('foo', (e) => { total = total + e.detail });
}
return () => {
for (let i = 0; i < events; i++) {
const customEvent = new CustomEvent('foo', { detail: 5 });
target.dispatchEvent(customEvent);
}
}
}
const runCustomInt = setupCustom();
const runNative = setupNative();
function runCustom() {
runCustomInt();
}
runCustom();
runNative();
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
custom | |
native |
Test name | Executions per second |
---|---|
custom | 7805.9 Ops/sec |
native | 248.8 Ops/sec |
This benchmark compares two approaches to event handling in JavaScript: the native EventTarget
implementation provided by the browser and a custom implementation utilizing a simple observable pattern. The main goal is to explore the performance differences between these two options in handling events.
Custom Implementation (CustomTarget
):
CustomTarget
, which maintains a dictionary of event listeners mapped to event names. It provides methods for adding (on
), removing (off
), and triggering events (send
) with associated data.Native Implementation (EventTarget
):
EventTarget
interface allows for adding (addEventListener
), removing (removeEventListener
), and dispatching events (dispatchEvent
).CustomEvent
, which allows for including additional event data in its detail property.Pros:
CustomTarget
class is straightforward and provides a clear understanding of how event handling works under the hood.Cons:
Pros:
Cons:
EventTarget
may be necessary.In conclusion, software engineers must weigh the trade-offs between the simplicity and speed of custom implementations against the full feature set and potential performance optimizations of native solutions, considering the specific context of their applications. Choosing between these different methodologies will largely depend on the needs of the project in question and the overall architecture of the application.