4Geeks logo
4Geeks logo
About us

Learning library

For all the self-taught geeks out there, here our content library with most of the learning materials we have produces throughout the years.

It makes sense to start learning by reading and watching videos about fundamentals and how things work.

Full-Stack Software Developer

Data Science and Machine Learning - 16 wks

Search from all Lessons

Social & live learning

The most efficient way to learn: Join a cohort with classmates just like you, live streams, impromptu coding sessions, live tutorials with real experts, and stay motivated.

← Back to Lessons

Continue learning for free about:

Edit on Github

Event Driven Programming

Event Driven Programming

Event Driven Programming

Working with events is a totally new way of controlling the flow of an application. It is the first time that your code will not be executed in a linear flow which is how JavaScript is generally programmed to execute, from the first line of code to the last.

Instead, your code will now be executed asynchronously (i.e. some pieces of code will not work when the rest of the surrounding code is being executed, but only when they are explicitly triggered). Who knows what comes first?

What is an Event?

An event is something that happens during the runtime of your web application! Such as clicking on a button, pressing a key on the keyboard, hovering a div with your mouse, etc.

Your job as a developer is to prepare for those events and define handler functions - the actions that are going to be handling each event.

event driven programming

But who Triggers these Events?

Sometimes it is the website user, sometimes it is the browser, sometimes it is another application letting you know something, sometimes the developer triggers events related to the business logic, etc.

There are dozens of events being triggered every minute, but you don’t have to do anything about it (not if you don’t want to). They are available to you depending on the type of application that you want to do.

Types of Events

Here are some of the types of events that are constantly being triggered (and you can listen to them):

MOUSE – Events

Data-TypeDescription
ClickWhen the user clicks with the mouse or finger in any HTML element.
Mouseover,
Mouseout
The event occurs when the pointer is moved onto (for mouseover) or outside (for mouseout) an element, or one of its children.
contextmenuWhen the user right clicks on the mouse.
MousemoveIf the user moves the mouse
Mousedown or MouseupIf the user presses or releases the mouse.

☝️ Play with this demo here

Click here to open demo in a new window

FRAME – Events

Data-TypeDescription
LoadThe browser has finished loading the website.
ErrorThe event occurs when an error occurs while loading an external file (like a CSS or a JavaScript).
ScrollWhen the element or window gets scrolled.
PageHide
PageShow
When the user focuses on a different window/tab; or when the user comes back from a different window/tab.
ResizeWhen the window is resized.

☝️ Play with this demo here

Click here to open demo in a new window

FORMS – Events

Data-TypeDescription
SubmitThe event occurs when a form is submitted.
Focusin and FocusoutThe event occur when the pointer is moved onto an element or onto one of the element’s children.
InputThe event occurs when an element gets user input.
ChangeThe event occurs when the content of a form element, the selection, or the checked state has changed (for <input>, <keygen>, <select>, and <textarea>)
 |

☝️ Play with this demo here

Click here to open demo in a new window

KEYBOARD – Events

Data-TypeDescription
KeyupWhen the user releases the keyboard key.
KeydownWhen the user presses the keyboard key.
KeypressWhen the user presses and releases the keyboard key. The difference from keydown/up is that Keypress only works on character keys. For example, it does not work on the up

☝️ Play with this demo here

Click here to open demo in a new window

🔗 Here you can find a list with all the other less common events that you have at your disposal. Read them quickly, and be aware of them for future reference during your life as a developer.

Listening for events

Now that you know the main events that exist out there, you can start listening to them during the runtime. The only way to react to any event is by listening for that event and assigning a function that will handle the event however you need.

Let’s repeat: To react you need to listen…. And to listen you need to specify a handler function. We call that construct an Event Listener.

events driven programming

You can add an event listener in 2 different ways:

Adding Listeners from the HTML

For example, if you want to start listening when the user clicks on a particular button all you have to do is specify the "onclick" attribute to that specific HTML <button> tag, like this:

1<!–- myClickHandler is a javascript function that will handle the event -–> 2<button onclick="myClickHandler();">Click me</button> 3 4<script> 5function myClickHandler(){ 6 alert(‘hello’); 7} 8</script>
Click here to open demo in a new window

Adding Listeners from JavaScript (during runtime)

Sometimes the DOM element doesn’t exist from the beginning. Maybe they are created after a database call or after the user did something. To solve that problem, you need to start listening after the new elements are created.

The .addEventListener function is perfect for this because it can be used in any DOM element during runtime.

When using the .addEventListener function, you have to specify what event you want to listen to, and the handler function that will be called every time that event is triggered on that DOM element.

For example, the code below is creating a list of names, and each LI in it is listening for the "click" event, which then triggers the removal of the same LI:

Click here to open demo in a new window

The Event Object

Event handler functions can receive one optional parameter in their declaration, which most developers name event, evt, or simply e. This parameter is always filled with the "Event object" which gets sent by default from every event and contains important information about the event that was triggered, the element where it occurred, its value, etc.

No matter what type of event (mouse-related, keyboard-related, frame-related), the event object is always going to have at least the following properties:

1 2function myEventHandler(eventObj) 3{ 4 console.log(eventObj.target); 5 //will print on the console the DOM element that triggered the event 6 console.log(eventObj.type); 7 //will print on the console the type of event 8 console.log(eventObj.cancelable); 9 //will print on the console true or false if the event can have its default action prevented 10 eventObj.preventDefault(); 11 //will prevent the default action of the event if allowed 12 eventObj.stopPropagation(); 13 //will prevent the propagation of the event if allowed 14 15} 16

Every Event Object has the following Properties:

PropertyDescription
TargetReturns the DOM element that triggered the event.
TypeThe type of event: click, mouseover, load, etc.
CancelableIf you can stop the event's default action or not.
preventDefault()If the event is cancelable, this method stops the default action of it; for example, preventing a "submit" event of a form will result in the form not being submitted which can be useful if the form has errors that need to be corrected, etc.
stopPropagation()Stops an event from propagating (i.e. from triggering the same event in nested or parent elements).

Depending on the type of event, you will have additional properties that will give you very useful information about what happened when the event was triggered.

One of the most important such additional properties is the target.value property of the event objects related to input fields. It allows us to capture and save the user input from input elements.

You can do it by passing the 'event' argument in the inline onchange event's handler function:

1 2<input type="text" onchange="myChangeHandler(event)" /> 3 4<script> 5const myChangeHandler = (e) => { 6 console.log(e.target.value); 7 // Will print on the console whatever the user types into the input field 8} 9</script> 10

Or, you can do it with addEventListener:

index.html:

1 <input type="text" />

index.js:

1 //index.js file: 2 const myChangeHandler = (e) => { 3 console.log(e.target.value); 4 } 5 6 document.querySelector("input").addEventListener('change', myChangeHandler); 7

Notice that in addEventListener() we only reference the function (myChangeHandler) and do not actually call it (myChangeHandler()). If you call it, it will automatically run when the page loads and not wait for an event to be triggered, which is highly undesirable. Therefore we do not need to pass the Event object as an argument there (there are no parentheses). The event object is passed automtically by addEventListener to the handler function.

Additional information for mouse events

PropertyDescription
clientX, clientYReturns the horizontal or vertical coordinate of the mouse pointer, relative to the current window, when the mouse event was triggered.
pageX, pageYReturns the horizontal or vertical coordinate of the mouse pointer, relative to the document, when the mouse event was triggered.
whichReturns which mouse button was pressed when the mouse event was triggered.

Additional information for keyboard events

PropertyDescription
keyCodeReturns the Unicode character code of the key that triggered the event.
shiftKey, altKey or ctrlKeyReturns whether the shift,alt or ctrlkey was pressed when the key event was triggered.

Additional information for wheel events

PropertyDescription
deltaX, deltaYReturns the vertical or horizontal scroll amount of a mouse wheel (y-axis) or (x-axis).
deltaModeReturns a number that represents the unit of measurement for delta values (pixels, lines, or pages).

🔗 There is a lot more information you can get from the event object, but we are focusing on the most used properties. For a bigger list of properties please read this guide.

Removing the Listeners

But what if I don’t want to continue listening? All modern browsers remove the events listeners when you delete the DOM element in which they were applied. If you don’t want to delete the DOM element, you can remove the listener manually using the .removeEventListener() function.

1 2element.removeEventListener(type, eventHandlerFunction); 3

You have to use the exact same parameters in the removeEventListener function as the ones you used in the addEventListener function.

Here is an example:

In this code, we are adding an event listener to the click event. Afterward, the first time the click listener gets called, the handler function removes the event listener from the button. That’s why the second time the button gets clicked, nothing happens.

Click here to open demo in a new window