Node.
js Core Concepts
1. What is Node.js? Where can you use it?
Node.js is an open-source, cross-platform runtime environment that lets you run JavaScript on the
server. You can use it for:
   •   Web servers
   •   APIs
   •   Real-time apps (chat, games)
   •   Command-line tools
   •   IoT apps
2. Why use Node.js?
   •   Fast (thanks to V8)
   •   Non-blocking I/O
   •   Massive ecosystem (npm)
   •   JavaScript everywhere
   •   Great for scalable, real-time apps
3. How does Node.js work?
Single-threaded event loop + non-blocking I/O. It offloads I/O tasks and uses callbacks/events to handle
results asynchronously.
4. Why is Node.js single-threaded?
To avoid thread-safety issues and to simplify concurrency using async callbacks instead of threads.
5. How does it handle concurrency?
Uses libuv under the hood to delegate tasks to a thread pool (for blocking ops) and returns results via
callbacks in the event loop.
    Async & Callbacks
6. Explain callback in Node.js.
A function passed as an argument to another function, to be called when the async task completes.
7. Advantages of Promises over Callbacks:
   •   Better readability
   •   Avoids callback hell
   •   Easier error handling with .catch()
8. Define I/O (Input/Output):
Refers to reading/writing data (files, DBs, networks). I/O operations are slow, so Node handles them
asynchronously.
   Usage & Architecture
9. How is Node.js most frequently used?
   •   REST APIs
   •   Real-time apps
   •   Microservices
   •   CLI tools
10. Frontend vs Backend:
   •   Frontend: UI, client-side (HTML, CSS, JS)
   •   Backend: Server logic, database ops (Node.js, DBs)
   Package Management
11. What is npm?
Node Package Manager — installs and manages JS packages/modules.
12. What are modules?
Chunks of reusable code. Types:
   •   Built-in (fs, http)
   •   Custom (.js files)
   •   Third-party (via npm)
13. Purpose of module.exports:
To expose functions/variables from one file to another using require().
    Node vs Others
14. Why Node.js over Java/PHP?
   •    Non-blocking
   •    Single language (JS)
   •    Lightweight and fast
   •    Big community
15. Angular vs Node.js:
   •    Angular: Frontend framework
   •    Node.js: Backend runtime
    Database & Libraries
16. Popular DB with Node.js:
MongoDB (NoSQL) via Mongoose
17. Commonly used libraries:
   •    express
   •    mongoose
   •    cors
   •    dotenv
   •    jsonwebtoken
    Pros & Cons
18. Pros and Cons of Node.js:
Pros:
   •    Fast
    •   Scalable
    •   Unified JS stack
        Cons:
    •   Not ideal for CPU-heavy tasks
    •   Callback hell (if unmanaged)
    Misc Concepts
19. Command to import libraries:
const fs = require('fs'); // CommonJS
import fs from 'fs';   // ES6
20. Event-driven programming:
Flow of the program is determined by events (clicks, data ready, etc.)
    Event Loop & Execution
21. What is Event Loop?
It continuously checks the event queue and processes callbacks when the stack is free.
22. process.nextTick() vs setImmediate():
    •   nextTick() runs before the next event loop iteration.
    •   setImmediate() runs on the next iteration.
23. What is EventEmitter?
A class in Node to handle events and listeners.
const EventEmitter = require('events');
const emitter = new EventEmitter();
   APIs & Modules
24. Two types of API functions:
    •   Synchronous (blocking)
    •   Asynchronous (non-blocking)
25. What is package.json?
Metadata file of your Node project:
    •   Dependencies
    •   Scripts
    •   Version
    •   Entry point
    Built-in Features
26. Using URL module:
const url = require('url');
const myURL = new URL('https://example.com');
27. What is Express.js?
Minimal and flexible web framework for Node.js used to build APIs.
28. Simple Express App:
const express = require('express');
const app = express();
app.get('/', (req, res) => res.send('Hello World'));
app.listen(3000);
    Streams & Files
29. What are streams?
Streams let you read/write data in chunks — efficient for big files.
30. Install/Update/Delete dependency:
npm install lodash
npm update lodash
npm uninstall lodash
    Practical Code
31. Hello World Server:
const http = require('http');
http.createServer((req, res) => {
 res.end('Hello World');
}).listen(3000);
32. Async vs Non-blocking APIs:
    •   Async: Does not wait for result, uses callbacks/promises
    •   Non-blocking: Main thread keeps running
33. How to implement async:
Use:
    •   Promises
    •   async/await
    •   Callbacks
34. What is a callback?
Function called after another function finishes.
    REPL, Control Flow, Buffer
35. What is REPL?
Read Eval Print Loop — Node's interactive shell.
36. Control flow function:
Function that controls order of execution for async tasks.
37. How it manages function calls:
Executes tasks in order, handles results via callbacks or promises.
     Child Process
38. fork() vs spawn():
    •    fork(): Spawns a new Node process (with IPC)
    •    spawn(): For any process (non-Node too), lower-level
     Buffers & Pipes
39. What is Buffer class?
Used to handle binary data in streams.
40. What is piping?
Connecting output of one stream to input of another.
readStream.pipe(writeStream);
     File Flags & Operations
41. Common file flags:
    •    'r' – read
    •    'w' – write
    •    'a' – append
    •    'x' – exclusive creation
42. Open a file:
fs.open('file.txt', 'r', (err, fd) => { ... });
    Advanced Concepts
43. What is callback hell?
Pyramid of nested callbacks — messy and unreadable.
44. Reactor pattern:
Event-driven architecture where I/O is handled by event listeners.
45. Test pyramid:
      1. Unit tests (most)
      2. Integration tests
      3. End-to-end tests (few)
46. Why V8 for Node.js?
Fast, optimized, and maintained by Google — compiles JS to machine code.
47. Node.js exit codes:
      •   0: Success
      •   1: Uncaught fatal error
      •   8: Uncaught exception
      Middleware & HTTP
48. What is middleware?
Functions in Express that run before your route handlers. Used for auth, logging, etc.
app.use((req, res, next) => {
 console.log('Request received');
 next();
});
49. Types of HTTP requests:
      •   GET
      •   POST
      •   PUT
      •   PATCH
      •   DELETE
50. Connect MongoDB to Node.js:
const mongoose = require('mongoose');
mongoose.connect('mongodb://localhost:27017/myDB');
1.       Node.js Fundamentals
• What is Node.js, and how does it work?
Node.js is a JavaScript runtime built on Chrome's V8 engine that lets you run JS on the server-side. It
uses a single-threaded, event-driven architecture, making it lightweight and efficient for I/O-heavy tasks.
• Explain the event-driven, non-blocking I/O model in Node.js.
Node.js uses an event loop and callback system to handle operations like file reading, database access,
etc., without blocking the main thread. It registers the task and moves on — the result comes back later
through callbacks or promises.
• Node.js vs Traditional Web Servers (Apache, Nginx)
Feature      Node.js            Apache/Nginx
Language JavaScript             C/C++
Threading Single-threaded Multi-threaded
Model        Non-blocking       Blocking
Best for     I/O-heavy apps CPU-heavy apps, static file hosting
• How does the V8 engine work in Node.js?
V8 is Google's JS engine (used in Chrome). It compiles JS to machine code using Just-In-Time (JIT)
compilation. Node uses V8 to execute JS on the backend, giving it blazing speed.
• Role of package.json
It’s the manifest file of a Node project. It:
     •   Lists dependencies
     •   Scripts (e.g., start, test)
     •   Project metadata
     •   Helps npm/yarn manage the project
• Purpose of npm
npm (Node Package Manager) is the default package manager for Node.js. It helps:
       •   Install libraries (npm install express)
       •   Manage versioning
       •   Share your own packages
2.         Asynchronous Programming
• Handling async code in Node.js
You can use:
       •   Callbacks
       •   Promises
       •   async/await (modern, clean)
• What are callbacks?
Functions passed as arguments to other functions, executed after an operation completes.
fs.readFile('file.txt', (err, data) => {
 if (err) throw err;
 console.log(data);
});
• Promises
A cleaner way to handle async work:
fetchData()
 .then(data => console.log(data))
 .catch(err => console.error(err));
• async/await
Syntactic sugar over promises, makes async code look synchronous.
async function getData() {
 try {
      const data = await fetchData();
        console.log(data);
    } catch (err) {
        console.error(err);
• Callback Hell
When callbacks are nested like lasagna — hard to read, hard to maintain:
doThis(() => {
    doThat(() => {
        doSomethingElse(() => {
          // OMG stop!
        });
    });
});
Avoid using Promises or async/await instead.
3.            Event Loop
• What is the Node.js event loop?
It’s the heartbeat of Node.js — the mechanism that handles async operations on a single thread by
continuously checking if something is ready to run.
• Managing async operations
Node registers operations and passes them off to the OS or thread pool. When the result is ready, it’s
pushed to the event loop for execution.
• Phases of the event loop:
          1. Timers (e.g., setTimeout)
          2. Pending Callbacks
          3. Idle/Prepare
     4. Poll (I/O here)
     5. Check (e.g., setImmediate)
     6. Close Callbacks
• Performance Impact
Efficient for I/O, but CPU-intensive tasks block the loop, degrading performance. Offload such tasks or
use worker threads.
4.       Modules and Packages
• What are Node.js modules?
Reusable chunks of code. You can:
     •   Import built-in (fs, http)
     •   Create custom (module.exports = ...)
     •   Use third-party (via npm)
• CommonJS vs ES6 modules
Feature              CommonJS                   ES6 Modules
Syntax               require() / module.exports import / export
Sync or Async        Synchronous                Asynchronous
Default in Node.js Yes                          Supported (with .mjs or "type": "module")
• Module caching
When a module is required, it's loaded once and cached, so future require() calls are fast.
• Common built-in modules
     •   fs – File system
     •   http – Server creation
     •   path – File paths
     •   events – Event handling
     •   os – System info
5.       File System and Streams
• File operations (read/write/delete)
Use the fs module:
fs.readFile('file.txt', callback);
fs.writeFile('file.txt', 'data', callback);
fs.unlink('file.txt', callback); // delete
• Sync vs Async
     •   Sync: Blocks the event loop. Use only during startup or CLI tools.
     •   Async: Non-blocking, uses callbacks or promises.
• Streams
Streams = handling data in chunks (useful for large files, network data).
Types:
     •   Readable
     •   Writable
     •   Duplex
     •   Transform
const readStream = fs.createReadStream('bigfile.txt');
readStream.on('data', chunk => console.log(chunk));
• Handling large files
Use streams to process data piece by piece instead of loading everything into memory.