JavaScript addEventListener() with Examples
Last Updated :
24 May, 2025
The addEventListener() method is used to attach an event handler to an element in the DOM (Document Object Model). It listens for specific events (such as click, keydown, or submit) on that element and executes a function when the event occurs.
Syntax
element.addEventListener(event, function, useCapture);
element
: The DOM element you want to listen for events on (for example, document
, button
, div
).event
: The type of event you want to listen for, such as 'click'
, 'keydown'
, 'submit'
, etc.function
: The function to be executed when the event is triggered. It could be an anonymous function or a reference to a named function.useCapture
(optional): A boolean value that specifies whether to use event capturing.
How addEventListener() Works?
When you use addEventListener(), you’re essentially telling JavaScript to "watch" for a specific event on an element. Here's how it works:
- Choose an element: We need to select the element we want to attach an event to.
- Specify the event type: This could be any event like click, hover, keyup, etc.
- Define the action: Provide the function that should run when the event happens.
Note => The event listener continuously checks for the occurrence of the specified event, and once it happens, the corresponding function is executed.
Now let's understand this with the help of example:
HTML
<html>
<head>
<title>JavaScript addEventListeners</title>
</head>
<body>
<button id="try">Click here</button>
<h1 id="text"></h1>
<script>
document.getElementById("try").addEventListener("click", function () {
document.getElementById("text").innerText = "GeeksforGeeks";
});
</script>
</body>
</html>
Output
JavaScript addEventListener() with ExamplesIn this example
- The HTML has a button (<button id="try">) and an empty <h1 id="text"> element.
- JavaScript uses addEventListener() to listen for a click event on the button.
- When the button is clicked, it changes the text of the <h1> element to "GeeksforGeeks".
Adding Multiple Event Listeners to an Element
In JavaScript, we can attach multiple event listeners to the same element. Each event listener can handle a different event or the same event type, and they will all trigger their respective functions when the event occurs.
Let's understand this with the help of example
HTML
<html>
<head>
<title>Multiple Event Listeners Example</title>
<style>
body {
display: flex;
justify-content: center;
align-items: center;
height: 100vh;
margin: 0;
background-color: #f0f0f0;
font-family: Arial, sans-serif;
}
#myButton {
padding: 15px 30px;
font-size: 16px;
cursor: pointer;
border: none;
border-radius: 5px;
background-color: #4CAF50;
color: white;
transition: background-color 0.3s ease;
}
#myButton:hover {
background-color: #45a049;
}
#message {
font-size: 20px;
font-weight: bold;
margin-top: 20px;
}
</style>
</head>
<body>
<div>
<button id="myButton">Click me!</button>
<h1 id="message"></h1>
</div>
<script>
const button = document.getElementById("myButton");
const message = document.getElementById("message");
button.addEventListener("click", function () {
button.style.backgroundColor = "lightblue";
message.innerText = "Button was clicked!";
});
button.addEventListener("mouseenter", function () {
message.innerText = "Mouse is over the button!";
});
button.addEventListener("mouseleave", function () {
message.innerText = "Mouse left the button!";
});
document.addEventListener("keydown", function (event) {
if (event.key === "Enter") {
message.style.color = "green";
message.innerText = "Enter key pressed!";
}
});
</script>
</body>
</html>
Output
JavaScript addEventListener()In this example
- Click Event: When the button is clicked, its background color changes to lightblue and the message updates to "Button was clicked!".
- Mouse Enter Event: When the mouse hovers over the button, the message changes to "Mouse is over the button!".
- Mouse Leave Event: When the mouse leaves the button, the message updates to "Mouse left the button!".
- Keydown Event: When any key is pressed, if the Enter key is pressed, the message color changes to green and displays "Enter key pressed!".
- The button reacts to mouse events (click, hover, leave) and a keyboard event (Enter key press), updating the message accordingly.
Adding Event Handlers to the window Object
The window object in JavaScript represents the browser window and can be used to listen for events that occur globally across the entire window, such as resizing the window, scrolling, or keypresses.
HTML
<html>
<head>
<title>Interactive Window Event Handlers</title>
<style>
body {
font-family: Arial, sans-serif;
text-align: center;
margin: 0;
padding: 20px;
height: 2000px;
transition: background-color 0.3s ease;
}
#message {
font-size: 20px;
font-weight: bold;
margin-top: 20px;
padding: 10px;
}
#keyPressDisplay {
font-size: 24px;
font-weight: bold;
margin-top: 30px;
color: #333;
}
</style>
</head>
<body>
<h1>Interact with the Page!</h1>
<div id="message">Resize the window, scroll down, or press a key!</div>
<div id="keyPressDisplay"></div>
<script>
const message = document.getElementById('message');
const keyPressDisplay = document.getElementById('keyPressDisplay');
// Window Resize Event
window.addEventListener('resize', function () {
const width = window.innerWidth;
const height = window.innerHeight;
message.innerText = `Window resized! New dimensions: ${width}x${height}`;
message.style.fontSize = (width / 50) + 'px';
});
window.addEventListener('scroll', function () {
const scrollY = window.scrollY;
document.body.style.backgroundColor = `rgb(${scrollY % 255}, ${255 - (scrollY % 255)}, 150)`;
message.innerText = `You have scrolled! Scroll position: ${scrollY}px`;
});
// Window Keydown Event
window.addEventListener('keydown', function (event) {
keyPressDisplay.innerText = `You pressed the "${event.key}" key!`;
if (event.key === 'Enter') {
keyPressDisplay.style.color = 'green';
} else if (event.key === 'Escape') {
keyPressDisplay.style.color = 'red';
} else {
keyPressDisplay.style.color = '#333';
}
});
</script>
</body>
</html>
Output
In this example
- Window Resize: Updates message with new dimensions and adjusts font size based on width.
- Scroll Event: Changes background color and displays scroll position.
- Keydown Event: Displays pressed key. Enter key turns text green, Escape turns it red, and other keys keep it default (#333).
Understanding Event Propagation
Event propagation refers to the way events "bubble" up or "capture" down the DOM tree. In the HTML DOM, there are two primary ways an event can propagate when it occurs: Event Bubbling and Event Capturing. These concepts determine the order in which events are handled when an event is triggered on nested elements.
Event Bubbling
In Event Bubbling, the event starts from the innermost element (the target element) and bubbles up to the outer elements. This means that if you click on an element inside a parent element, the innermost element's event handler is triggered first, followed by the outer elements' handlers.
Event Capturing
In Event Capturing, the event starts from the outermost element (usually the document or window) and captures down to the target element. In this case, the outermost element's event handler is triggered first, and the event then "trickles down" to the inner elements.
Now let's understand this with the help of example
HTML
<html>
<head>
<title>Event Bubbling vs Capturing</title>
<style>
#parent {
background-color: lightblue;
padding: 20px;
margin: 20px;
}
#child {
background-color: lightgreen;
padding: 20px;
margin: 20px;
}
</style>
</head>
<body>
<div id="parent">
<p id="child">Click me!</p>
</div>
<script>
const parent = document.getElementById('parent');
const child = document.getElementById('child');
parent.addEventListener('click', function () {
alert('Parent Div Clicked (Capturing)');
}, true);
child.addEventListener('click', function () {
alert('Child Div Clicked (Bubbling)');
});
</script>
</body>
</html>
Output
In this example
- Capturing Phase: The parent div has a click event listener set to capturing (useCapture = true), meaning the parent will handle the event before the child.
- Bubbling Phase: The child element has a click event listener (default behavior is bubbling, i.e., the event is handled by the child first).
- When the child element is clicked: The parent div's event handler (capturing phase) is triggered first. Then, the child div's event handler (bubbling phase) is triggered.
Note => By specifying true for the useCapture parameter, we can handle the event in the capturing phase rather than the bubbling phase. This gives you control over how events are managed in nested elements.
RemoveEventListener() method
To remove an event listener in JavaScript, we can use the removeEventListener() method. This method allows us to remove an event listener that was previously added with addEventListener(). It requires the same arguments as addEventListener(), including the event type, the callback function, and the useCapture flag.
HTML
<html>
<head>
<title>Remove Event Listener Example</title>
<style>
#myButton {
padding: 10px 20px;
font-size: 16px;
cursor: pointer;
background-color: lightcoral;
color: white;
border: none;
border-radius: 5px;
}
</style>
</head>
<body>
<button id="myButton">Click me (3 times)</button>
<p id="message">You have clicked the button 0 times.</p>
<script>
const button = document.getElementById('myButton');
const message = document.getElementById('message');
let clickCount = 0;
function handleClick() {
clickCount++;
message.innerText = `You have clicked the button ${clickCount} times.`;
if (clickCount === 3) {
button.removeEventListener('click', handleClick);
message.innerText = 'You clicked the button 3 times. Event listener removed!';
}
}
button.addEventListener('click', handleClick);
</script>
</body>
</html>
Output
JavaScript addEventListener() In this example
- Click Count: The clickCount variable tracks how many times the button is clicked.
- Event Handler: The handleClick() function updates the click count and the message each time the button is clicked.
- Removing the Event Listener: When the button is clicked 3 times, the event listener is removed using removeEventListener(), and the message updates to say "Event listener removed."
- After 3 clicks, the message shows that the event listener has been removed, and no further clicks will update the count.
Why Use addEventListener()?
- Cleaner Code: Keeps event handling separate from HTML, improving code organization.
- Multiple Listeners: Allows attaching multiple event listeners to the same element.
- Event Propagation Control: Offers control over event bubbling or capturing.
- Remove Event Listener: Enables you to remove event listeners with removeEventListener().
- Cross-Browser Compatibility: Works consistently across all modern browsers.
- Better Performance: More efficient for handling events than inline event handlers.
- Access to Event Object: Provides detailed information about the event, like mouse position or key pressed.
Best Practices
Below are the some best practices which we need to follow when use event listner:
- Use named functions when possible: This makes your code cleaner and easier to manage.
- Always use event.preventDefault() and event.stopPropagation() carefully: These methods help you control the behavior of events and prevent unnecessary side effects.
- Use removeEventListener(): when you no longer need an event handler.
Similar Reads
Nashorn JavaScript Engine in Java with Examples Nashorn: Nashorn is a JavaScript engine which is introduced in JDK 8. With the help of Nashorn, we can execute JavaScript code at Java Virtual Machine. Nashorn is introduced in JDK 8 to replace existing JavaScript engine i.e. Rhino. Nashorn is far better than Rhino in term of performance. The uses o
4 min read
HTML DOM addEventListener() Method The addEventListener() method attaches an event handler to the specified element. Syntax: element.addEventListener(event, function, useCapture) Note: The third parameter use capture is usually set to false as it is not used. Below program illustrates the DOM addEventListener(): Example: html <!DO
1 min read
Difference between addEventListener and onclick in JavaScript In JavaScript, both addEventListener() and onclick are used to handle events like clicks, but they function differently. While addEventListener() allows multiple event listeners and better control over event propagation, onclick is limited to a single event handler and gets overwritten.addEventListe
4 min read
What are JavaScript Events ? JavaScript Events are the action that happens due to the interaction of the user through the browser with the help of any input field, button, or any other interactive element present in the browser. Events help us to create more dynamic and interactive web pages. Also, these events can be used by t
6 min read
Explain about EventHandler with Example Event handlers are the properties in the browser or DOM API that handles the response to an event. Let us understand this with an example when we click on any virtual button of the browser a particular task gets executed for us, and eventually, the browser responds to your trigger with some result,
3 min read