- Node.js Tutorial
- NodeJS Home
- NodeJS Introduction
- NodeJS Setup
- NodeJS First App
- NodeJS REPL
- NodeJS Command Line
- NodeJS NPM
- NodeJS Callbacks
- NodeJS Events
- NodeJS Event-Loop
- NodeJS Event-Emitter
- NodeJS Global-Objects
- NodeJS Console
- NodeJS Process
- NodeJS Buffers
- NodeJS Streams
- Node.js File Handling
- Node.js File System
- Node.js Read/Write File
- Working with folders in Node.js
- HTTP and Networking
- Node.js HTTP Module
- Anatomy of an HTTP Transaction
- Node.js MongoDB
- MongoDB Get Started
- MongoDB Create Database
- MongoDB Create Collection
- MongoDB Insert
- MongoDB Find
- MongoDB Query
- MongoDB Sort
- MongoDB Delete
- MongoDB Update
- MongoDB Limit
- MongoDB Join
- Node.js MySQL
- MySQL Get Started
- MySQL Create Database
- MySQL Create Table
- MySQL Insert Into
- MySQL Select From
- MySQL Where
- MySQL Order By
- MySQL Delete
- MySQL Update
- MySQL Join
- Node.js Modules
- Node.js Modules
- Node.js Built-in Modules
- Node.js Utility Modules
- Node.js Web Module
- Node.js Advanced
- Node.js Debugger
- Node.js Scaling Application
- Node.js Packaging
- Node.js Express Framework
- Node.js RESTFul API
- Node.js Useful Resources
- Node.js Useful Resources
- Node.js Discussion
Node.js Event Loop
The Event Loop is one of the core concepts in Node.js. It enables asynchronous, non-blocking behavior in Node.js applications, allowing for efficient handling of I/O operations like reading files, network requests, and more. It constantly runs and checks if there are any tasks in the queue that need to be processed.
Key Features of the Event Loop
- Asynchronous Execution: Handles multiple operations concurrently without blocking the main thread.
- Non-Blocking I/O: Allows Node.js to perform I/O operations (e.g., reading files) while executing other code.
- Single Threaded: While the event loop runs in a single thread, Node.js utilizes multiple threads internally for operations like file system access.
How the Event Loop Works
The event loop follows a sequence of phases to process the tasks in the event queue.
1. Phases of the Event Loop
The event loop operates in a series of phases that process different types of operations:
- Timers: Executes callbacks scheduled by
setTimeout()
orsetInterval()
. - I/O Callbacks: Executes callbacks for I/O operations (e.g., file read, database query).
- Idle, Prepare: Internal phase used for Node.js to prepare for the next event loop.
- Poll: Retrieves new I/O events, executes I/O-related callbacks.
- Check: Executes
setImmediate()
callbacks. - Close Callbacks: Executes callbacks for closed connections (e.g.,
socket.on('close')
).
2. Example of Event Loop in Action
In this example, you can see the asynchronous behavior of the event loop.
console.log('Start');
setTimeout(() => {
console.log('Timeout 1');
}, 1000);
setTimeout(() => {
console.log('Timeout 2');
}, 0);
console.log('End');
Output:
Start
End
Timeout 2
Timeout 1
- The synchronous code (
console.log('Start')
andconsole.log('End')
) is executed first. - The
setTimeout
callbacks are added to the event loop, and the one with the shorter timeout (Timeout 2
) is executed first, despite being declared second.
3. Understanding Non-Blocking I/O
Node.js handles I/O operations without blocking the main thread. For example:
const fs = require('fs');
console.log('Start reading file');
fs.readFile('example.txt', 'utf8', (err, data) => {
if (err) throw err;
console.log('File content:', data);
});
console.log('File reading in progress...');
Output:
Start reading file
File reading in progress...
File content: [Content of example.txt]
- The
fs.readFile
operation doesn't block the execution of subsequent code. Instead, it runs in the background, and when the file is read, the callback is executed.
4. Event Loop and Blocking Code
If blocking code is present, it can block the event loop, causing delays in I/O handling.
console.log('Start');
for (let i = 0; i < 1e9; i++) {} // Simulate heavy computation
console.log('End');
Output:
Start
End
- The loop runs synchronously and blocks the event loop, so no asynchronous code (like
setTimeout
) can execute until the loop finishes.
5. Event Loop with Promises
When promises are used, the .then()
method is executed after the current stack has cleared but before the next event loop tick.
console.log('Start');
Promise.resolve().then(() => {
console.log('Promise resolved');
});
console.log('End');
Output:
Start
End
Promise resolved
- The promise is resolved after the synchronous code finishes executing but before the event loop moves on to I/O tasks.
Summary
The event loop in Node.js is a powerful mechanism that allows for non-blocking, asynchronous execution. It efficiently manages tasks like I/O operations and timers by processing them in phases, ensuring that the application remains responsive even when handling multiple tasks simultaneously. Understanding the event loop is essential for optimizing performance and preventing issues like blocking code in Node.js applications.