[Ctrl J]
[Ctrl K]
light/dark
📌Important libraries
📌Single thread - single sequence of instructions
1️⃣ Single thread operation
2️⃣ Thread pool
Thread pool helps with specific async tasks, keeping the event loop non-blocking. Node.js offloads some tasks to a separate thread pool (default: 4 threads) when needed, these tasks include:
fs.readFile
, fs.writeFile
crypto.pbkdf2
, crypto.randomBytes
zlib.deflate
, zlib.gzip
dns.lookup
📌Event loop - the orchestrator
Event loop contains all the application code that is inside callback functions (non top-level code).
1️⃣ Event-driven architecture
2️⃣ Ways to avoid blocking the event loop
fs
, crypto
, and zlib
modules (e.g., fs.readFileSync
, crypto.pbkdf2Sync
).📌Streams in Node.js
Streams are efficient data handling mechanisms that allow processing large amounts of data chunk by chunk instead of loading everything into memory at once.
1️⃣ Types of Streams
Node.js provides four types of streams:
fs.createReadStream()
).fs.createWriteStream()
).zlib.createGzip()
).👉 Example:
const fs = require("fs");const readStream = fs.createReadStream("largeFile.txt", "utf8");readStream.on("data", (chunk) => {console.log("Received chunk:", chunk);});
2️⃣ How Streams Work
data
, end
, error
, and finish
events.👉 Example:
readStream.on("end", () => {console.log("Reading complete.");});
3️⃣ Piping Streams (Automatic Handling)
👉 Example:
const writeStream = fs.createWriteStream("output.txt");readStream.pipe(writeStream); // Transfers data efficiently
4️⃣ Transform Streams (Modify Data on the Fly)
👉 Example:
const zlib = require("zlib");const gzip = zlib.createGzip();readStream.pipe(gzip).pipe(fs.createWriteStream("output.txt.gz"));
5️⃣ Why Use Streams?
✅ Memory Efficient → No need to load entire file into RAM. ✅ Faster Processing → Handles large files efficiently. ✅ Real-Time Data → Useful for video/audio streaming, logs, and sockets.
📌CommonJS Module Loading Process in Node.js
1️⃣ Resolving and Loading
require()
.node_modules
, or relative/absolute paths..js
, .json
, .node
).2️⃣ Wrapping (Module Wrapper Function)
(function (exports, require, module, __filename, __dirname) {// Module code});
exports
, require
, module
, __filename
, __dirname
.3️⃣ Execution
module.exports
is prepared.4️⃣ Returning module.exports
require()
returns the exported object or function from the module.5️⃣ Caching
require.cache
.delete require.cache[require.resolve("./myModule")];
✅ Final Execution Order:
Resolving & Loading → Wrapping → Execution → Returning exports
→ Caching
📌ES Modules (ESM) Loading Process in Node.js
Unlike CommonJS, ES Modules (ESM) follow a different loading process that is asynchronous and optimized for modern JavaScript. Here’s the step-by-step breakdown:
1️⃣ Resolving and Loading
.js
, .mjs
, .cjs
)."type": "module"
in package.json
enables ESM for .js
files)../module.js
, /home/user/module.js
).👉 Example:
// Explicit file extension requiredimport { func } from "./myModule.js"; // ✅ Correctimport { func } from "./myModule"; // ❌ Error (no implicit .js)
2️⃣ Parsing (Strict Mode by Default)
'use strict'
), meaning:
this
defaulting to global
.arguments.callee
, etc.👉 Example:
// myModule.jsconsole.log(this); // undefined (not global)
3️⃣ Execution (Top-Level await
Allowed)
import
does not block execution.await
(unlike CommonJS).👉 Example:
// myModule.jsexport const data = await fetch("https://api.example.com").then((res) =>res.json());console.log(data);
4️⃣ Returning Exports (export
and import
)
// Named Exports// myModule.jsexport const greeting = "Hello, World!";// main.jsimport { greeting } from "./myModule.js";console.log(greeting); // "Hello, World!"
// default exports// myModule.jsexport default function hello() {console.log("Hello, ESM!");}// main.jsimport hello from "./myModule.js";hello(); // "Hello, ESM!"
5️⃣ Caching (Same as CommonJS, but per module graph)
🔥 Final Execution Order
Resolving & Loading → Parsing → Execution → Returning export
→ Caching
⚡ Key Differences
Feature | CommonJS (require ) | ES Modules (import ) |
---|---|---|
Execution | Synchronous (blocking) | Asynchronous (non-blocking) |
File Extension | .js (by default) | .mjs or .js (with "type": "module" ) |
Strict Mode | Optional | Always enabled |
Top-Level await | ❌ Not allowed | ✅ Allowed |
Caching | Per require() call | Per module graph |