This page looks best with JavaScript enabled

Event Handling in JS

 ·  ☕ 10 min read

Intro to DOM Events

  • Events - Responding to user inputs and actions

  • Types of events:(some of the many)

    • clicks, drags, drops, hovers,scrolls, form submissions, key press, focus/blur
    • mousewheel, double click, copying, pasting, audio start, screen resize, printing etc.
  • Note: All events follow a similar pattern

  • Pattern:

The thingEvent typeCode to run
buttonclickchange the color
inputhits returnget the search results
imagemouseoverdisplay img caption

2 ways not to add events

Lets explore 2 different syntaxes which we should not use.

  • all events start with on word.
  • onEventName = doSomething
  1. First type actually involves inline html scripting, which is not recommended. It just clutters the markup.
1
2
3
4
5
6
7
8
9
<button onmouseover="alert('You hovered over me!')">click me!</button>
<form>
  <input
    type="range"
    min="50"
    max="100"
    onclick="console.log('clicked the input')"
  />
</form>
  1. We first select an element in Javascript and then do inline html scripting
1
<button id="clicker">CLicker!</button>;
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
const clicker = document.querySelector("#clicker");

clicker.onclick = function () {
  console.log("You clicked me");
};
clicker.ondblclick = function () {
  console.log("Double click");
};

clicker.onclick = function () {
  alert("hello");
};
//now we lost the previous data.
//Onclick is considered just like any other property
  • if you want to have multiple events to a single element use addEventListener

addEventListener

Specify the event type and a callback to run

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
const button = document.querySelector("h1");
button.addEventListener("click", () => {
  alert("You clicked");
});

button.addEventListener("click", () => {
  console.log("Output in console");
}); // we get both things as output for one event. one in console and other as alert
button.addEventListener("mouseover", function () {
  button.innerText = "Dont hover on me";
}); // we are permanently changing the innerText, the text doesnt go back to its prev state
// to get the text to its prev state. there is another event called `mouseout` use that.
button.addEventListener("mouseout", function () {
  button.innerText = "CLick me!";
}); // now text changes back to prev state

addEventListener() is great, because it is just one method and it will attach to any type of event listener you want(click, double click, mouseover etc…)

  • Note: if you see button.onclick property, it is not attached to anything. It returns null as output

important: Dont use arrow functions as call backs, because sometimes we want to access this inside the function and arrow functions doesnt do well with this


Events on Multiple Elements

This is the important topic of event handling. We know how to add multiple events to a single element. how about multiple elements having a single event? How do we take every button on page and add a click event?

  1. select a group of items u want to add events to
  2. loop over them and add eventlistener to each

Note: this refers to individual object onto which we are listening over when adding multiple events

1
2
3
4
5
<body>
  <h1>Pick a color</h1>
  <section class="boxes" id="container"></section>
  <script src="app.js"></script>
</body>
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
    const colors = [
    "red",
    "yellow",
    "orange",
    "green",
    "blue",
    "purple",
    "indigo",
    "violet",
    ];
    const boxes = document.querySelector("#container");
    const heading = document.querySelector("h1");
    const pickAColor = function () {
    console.log(this);
    heading.style.color = this.style.backgroundColor;
    };

    for (let color of colors) {
    const box = document.createElement("div");
    box.style.backgroundColor = color;
    box.classList.add("box");
    boxes.appendChild(box);
    box.addEventListener("click", pickAColor);
    }
    ```

Important : So when the function pickAColor is called, ie., when we click on a box, we are never executing pickAColor ourselves, its being called for us. An Event object is passed to it. Event object is automatically called every time we are not capturing it


Event Object

Contains information about a particular event

1
2
3
const pickAColor = function (evt) {
  console.log(evt); //MouseEvent Object is returned
};
1
2
3
document.body.addEventListener("keypress", function (e) {
  console.log(e);
}); //RT: KeyboardEvent
  • KeyboardEvent - Conatins info about the key we pressed and othe useful info about keys

Key Events

There are atleast 3 types of keyevents.

  • keyup
  • keydown
  • keypress

keydown

A Key has been pressed.

When u hold or press any key it is considered as keydown event.

  • Note: keydown runs for any potential keys whether they actually change the input or not

  • All key presses are considered as keydown events.

    • eg: alt/option, cmd, ctrl, caps, all alphabets, space, shift, tab etc.
      1
      
      <input type="text" id="username" placeholder="username" type="text" />
      
      1
      2
      3
      4
      5
      
      const username = document.querySelector("#username");
      //we would want event object, because it contain info about which key is pressed
      username.addEventListener("keydown", function (e) {
        console.log("KEY DOWN");
      });
      

keyup

A key has been released.

For all keys, first a keydown event is fired followed by a keyup.

  • Note: keyup only occurs when u release a key
1
2
3
4
5
6
7
8
const username = document.querySelector("#username");

username.addEventListener("keydown", function (e) {
  console.log("KEY DOWN");
});
username.addEventListener("keyup", function (e) {
  console.log("KEY UP");
});

keypress

A key that normally produces a character value has been pressed. If the key is not a modifier key, the keypress event is sent

Caution: This event is obsolete and differs from browser to browser, better not to use it much

  • When you type a key K in the input. The order of key sequenes would be Keydown, keypress, keyup

  • When you press something like shift we only get keydown and keyup

  • Capital letter -> Shift + Letter -> KeyDown(2) , keypress, keyup(2) -> keydown and keyup for both shift and letter

  • Note: keypress only works when we have changing input. like alphabets, doesnt work with arrows, caps, shift, tab, cmd etc. But when you hit return, it is considered as a keypress

  • For more on events WEBApi - MDN

Example

Lets make a todo list

1
2
3
<h1>Shopping list</h1>
<input type="text" name="" id="addItem" placeholder="add items in your list" />
<ul id="items"></ul>
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
const input = document.querySelector("#addItem");
const ulItems = document.querySelector("#items");

input.addEventListener("keypress", function (e) {
  // doesnt allow spaces in the beginning
  if (e.which === 32 && !this.value.length) {
    e.preventDefault();
  }
  if (e.key === "Enter") {
    if (!this.value) return;
    const item = document.createElement("li");
    item.innerText = this.value;
    console.log(item);
    this.value = "";
    ulItems.appendChild(item);
  }
});

FormEvents & preventDefault

When we press submit, we get navigated to other page or the page gets refreshed if we dont specify any url in action.Lets say we want to stop the form from getting refreshed when we submit. Capture the submit event and stop it from its default behaviour.

Lets take this html snippet

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
<form id="signup">
  <input type="text" placeholder="credit card" id="cc" />
  <label>
    I agree to T&C
    <input type="checkbox" id="terms" />
  </label>
  <select id="veggies">
    <option value="brinjal">Brinjal</option>
    <option value="tomato">Tomato</option>
    <option value="onion">Onion</option>
  </select>
  <button type="submit">Submit</button>
</form>

preventDefault

Default behaviour is prevented

1
2
3
4
const form = document.querySelector("#signup");
form.addEventListener("submit", function (e) {
  e.preventDefault(); //when this is executed default behaviour is prevented
});

Now this leaves us free to now extract data from the submit event. If we wanted all data at once and send it to an api using AJAX or using a client side request, we can do that. We have flexibility to do something with the data and we can still capture the submit event. What’s nice about doing this way as opposed to capturing each input as it changes every single time is we dont need to attach a bunch of event listeners for every input, by adding a submit event listener there’s just one event we are waiting for, we tell it not to behave, normally it behaves and then we can extract our data in that function.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
const creditCardInput = document.querySelector("#cc");
const termszcheckBox = document.querySelector("#terms");
const veggiesSelect = document.querySelector("#veggies");
const form = document.querySelector("#signup");
form.addEventListener("submit", function (e) {
  console.log("cc", creditCardInput.value); //cc 12343434535
  console.log("terms", termszcheckBox.checked); // terms true
  // we get the value from value attribute, eg: we get brinjal as output instead of Brinjal
  console.log("veggiesSelect", veggiesSelect.value); //veggiesSelect tomato
  e.preventDefault();
});

We are accessing data from the form. After accessing these values , we can generally send form data to DB or append something to page using form data. We can put preventDefault() at the top of the function, it still works the same


input and change Events

input

This event is triggered whenever an input changes .We can actually listen to all 3 above inputs(textbox, checkbox and select) at once using a single event type.

Our goal is to create a datastructure which automatically updates whenever a user enters value in input, instead of waitiing for user to submit(like from the above section)

1
2
3
creditCardInput.addEventListener("input", (e) => {
  console.log("CC Changed", e); // the event is triggered whenever we type something in the input box
});

Storing value to an object as soon as user changes the input. These events trigger before user clicks submit.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
const formData = {};
creditCardInput.addEventListener("input", (e) => {
  console.log("CC Changed", e);
  //formData['cc'] = creditCardInput.value; -> hard coding. instead use event object properties to get value
  formData["cc"] = e.target.value;
});
veggiesSelect.addEventListener("input", (e) => {
  console.log("veggie change", e);
  formData["veggie"] = e.target.value;
});
termszcheckBox.addEventListener("input", (e) => {
  console.log("terms changed", e);
  formData["terms"] = e.target.checked;
});

Refactor the above code.
add a name attribute to each html input

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
<input type="text" placeholder="credit card" id="cc" name="creditcard" />
<label>
  I agree to T&C
  <input type="checkbox" id="terms" name="agreeToterms" />
</label>
<select id="veggies" name="selectedVeggie">
  <option value="brinjal">Brinjal</option>
  <option value="tomato">Tomato</option>
  <option value="onion">Onion</option>
</select>
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
for (let input of [creditCardInput, termszcheckBox, veggiesSelect]) {
  input.addEventListener("input", (e) => {
    if (e.target.type === "checkbox")
      formData[e.target.name] = e.target.checked;
    else formData[e.target.name] = e.target.value;
  });
}
// more sophisticated code
for (let input of [creditCardInput, termszcheckBox, veggiesSelect]) {
  input.addEventListener("input", ({ target }) => {
    // destructure event object since we only use target
    // destructure more coz we use only these 4 properties in target
    const [name, type, value, checked] = target;
    formData[name] = type === "checkbox" ? checked : value;
  });
}
  • We can add multiple events under single event listener as long as we have name attribute.

change

If we change the above event type to change it will still behave the same except for the textbox. Textbox input change wont trigger until we lose focus over it or press return key after entering complete data or focus it, unlike input where it triggers event for every single key typed(every single letter changed in text box).

1
2
3
4
5
6
7
8
for (let input of [creditCardInput, termszcheckBox, veggiesSelect]) {
  input.addEventListener("change", ({ target }) => {
    // destructure event object since we only use target
    // destructure more coz we use only these 4 properties in target
    const [name, type, value, checked] = target;
    formData[name] = type === "checkbox" ? checked : value;
  });
}

This type of pattern (using name attribute) is pretty common especially if we get to something like react and some of the other frameworks or libraries out there. We use name of an input as a key to store the value from that input under, to create a nice object that contains all of our form data at once.

Hope you learnt something, until next time 👋, happy learning 🎉 💻


If you found this helpful, please give a shoutout to @gsavitha_ and share this article to help others. For more articles like this, subscribe to my Newsletter and get the latest updates straight to your inbox.

Share on