How the NodeJS event loop works


The event loop is the mechanism by which NodeJs executes asynchronous tasks. By nature Javascript is single threaded, so any resource intensive tasks like doing math operations or reading from a file would block the main thread. NodeJS works with JS so to get around this limitation, it introduced the Event loop. This is how it works

NodeJS relies on a call stack and some callback queues. The call stack is a space in memory where execution steps in a program are stored and executed. If you had a synchronous program like so

const x = 1;
const y = 3;
console.log(x+y)

The program will first load x,y into the callstack then perform the console.log and exit the program. If there was a command that does some heavy computation or take time to complete, e.g fs.readFile(), node prefers to handle these asynchronously by loading them in a queue and coming back to process them later.

There are different types of queues that take care of different tasks. Once nodejs pushes commands into queues it will continue processing other requests in the callstack until the callstack is empty, then it checks the queues to see if there is anything thatโ€™s ready to be processed. The different types of queues are listed below in priority of how they are processed and what they typically handle

Microtasks Queue - process.nextTick, Mutation Observer, Promises

Timer Queue - setTimeout, setInterval

I/O Queue - file system, network events

Check Queue - setImmediate calls

Close Queue - Close handlers, file, network connection

The IO queue handles IO related things i.e reading files, database connections. These kind of operations are usually offloaded to Libuv a cross-platform library implemented in C++, that also handles child processes and signals. Libuv maintains about 4 threads that it uses to do IO in a non blocking manner.

Async workflow example

import fs from 'fs'
const x = 1;
const y = 3;
const file = fs.readFile('myfile.txt', 'utf8', (err, data) => {
    // do something with this data
    // this will not block, it will be pushed to the io queue as another users requests is processed
});

NodeJS maintains context by wrapping the functions in a closure before sending them to a queue to be processed. That way, it can serve multiple users requests and still maintain this important context to differentiate one user from another.


References

https://www.geeksforgeeks.org/node-js-fs-readfile-method/ https://www.freecodecamp.org/news/nodejs-eventloop-tutorial/
diagram 1
Visual Guide