Picture of the authorDevGrads

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:

  • Signals that an action has occurred on a web page.
  • Can be triggered by user interactions or the browser.
  • Examples: clicks, key presses, mouse hovers, page loads, form submissions.
  • How events work:

  • Event occurs: User clicks a button, page finishes loading, etc.
  • Event object is created: Contains details about the event (type, target element, etc.).
  • Event handlers respond:These are JavaScript functions that listen for specific events.
  • Event handler code executes: The code defined in the event handler function is run.
  • 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:

  • We have a button with an onclick attribute.
  • The attribute value is the name of a JavaScript function (changeColor).
  • Clicking the button triggers the changeColor function.
  • The function changes the background color of the body to light blue.
  • 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:

  • We select the button element using document.getElementById.
  • We use the addEventListener method on the button element.
  • The first argument to addEventListener is the event type ("click" in this case).
  • The second argument is an anonymous function that will be executed when the click event occurs.
  • The function changes the background color of the body to light green.
  • 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.