Events - In JavaScript
In JavaScript, events are signals that something has happened in the web page. These events can be triggered by user interactions (clicks, key presses, mouse movements) or by the browser itself (page loading, form submission).
What events are:
How events work:
How to use events:
1. Using Inline Event Attribute (Not Recommended):
<button onclick="changeColor()">Click me!</button>
<script>
function changeColor() {
document.body.style.backgroundColor = "lightblue";
}
</script>
In this example:
While this works, it's not recommended because it mixes HTML and JavaScript code, making it harder to maintain and reuse.
2. Using Event Listener (Recommended):
<button id="myButton">Click me!</button>
<script>
const button = document.getElementById("myButton");
button.addEventListener("click", function() {
document.body.style.backgroundColor = "lightgreen";
});
</script>
This example demonstrates the recommended approach:
This approach is preferred because it separates JavaScript code from HTML, making it cleaner and more maintainable. You can also add multiple event listeners to the same element for different events.