JavaScript Interview Question
JavaScript Interview Question
- `===` (Triple Equals): This is the strict equality operator. It checks for equality
**without type conversion**. Both the value and the type must be the same. For
example, `5 === '5'` would return `false` because the types (number and string) are
different.
In short:
- `==` checks only for value equality (with type conversion).
- `===` checks for both value and type equality (without type conversion).
Explain the concept of closures in JavaScript.
In JavaScript, a closure is created when a nested function accesses variables from its
outer (enclosing) function, even after the outer function has finished executing.
How Closures Work:
• Lexical Scoping:
JavaScript uses lexical scoping, which means that a function's scope is determined by
where it is defined in the code. A nested function has access to variables in its own
scope, as well as the scopes of its enclosing functions.
• Function Creation:
Every time a function is created, a closure is also created. The closure encapsulates
the function and its surrounding lexical environment.
• Access to Outer Variables:
Even after the outer function has finished executing, the nested function retains access
to the variables in its outer scope through the closure.
How does event delegation work in JavaScript?
Event delegation in JavaScript is a technique where you attach a single event listener to
a parent element, instead of attaching separate listeners to each child element. This
listener then handles events that bubble up from its descendant elements.
How it works:
• Event Bubbling:
When an event occurs on a child element, it "bubbles up" the DOM tree, meaning it
triggers the same event on its parent, grandparent, and so on until it reaches the root of
the document.
• Attaching the Listener:
You attach the event listener to a parent element that contains the elements you're
interested in.
• Target Identification:
Inside the event handler, you can use the event.target property to determine which
specific element triggered the event. This allows you to handle the event differently
based on the target element.
What is the Document Object Model (DOM), and how do you manipulate it?
The Document Object Model (DOM) is a programming interface that represents an
HTML document as a tree-like structure of objects, allowing developers to access and
manipulate the content, structure, and style of a web page using JavaScript, essentially
letting you change elements on a webpage dynamically without reloading the entire
page; you manipulate the DOM by using JavaScript methods to select specific
elements within the document and then modify their properties or attributes.
Key points about the DOM:
• Structure:
The DOM represents a web page as a hierarchy of nodes, where each node represents
an element (like a <div>, <p>, or <img>), attribute, or text content within the document.
• Accessing elements:
To manipulate the DOM, you use JavaScript methods to "query" the document and
select specific elements based on their ID, class name, tag name, or other criteria.
• Manipulation methods:
Once you've selected an element, you can use various DOM methods to change its
content (like text), add new elements, remove existing elements, modify attributes, and
even add event listeners to react to user interactions.
Explain how the this keyword works in JavaScript.
In JavaScript, the this keyword refers to the object that is currently executing the
code. Its value is determined by how the function is called.
Here's a breakdown of how this works in different scenarios:
1. Global Context:
• When used outside of any function, this refers to the global object (which
is window in browsers).
JavaScript
console.log(this); // Outputs: window
2. Function Context:
• In a regular function, this refers to the global object.
JavaScript
function sayHello() {
console.log(this); // Outputs: window
}
sayHello();
3. Object Method:
• When a function is called as a method of an object, this refers to the object that
the method is called on.
JavaScript
const person = {
name: "Alice",
greet: function() {
console.log("Hello, " + this.name);
}
};
console.log(first); // 1
console.log(second); // 2
console.log(third); // 3
In this example, we're extracting the values from the numbers array and assigning them
to individual variables first, second, and third. Object Destructuring.
const person = { name: "Alice", age: 30 };
const { name, age } = person;
console.log(name); // Alice
console.log(age); // 30
Here, we're extracting the name and age properties from the person object and
assigning them to variables with the same names.
Key Benefits of Destructuring:
• Readability:
Destructuring improves code readability by making it clear which values you're
extracting from a data structure.
• Conciseness:
It reduces the need for repetitive code that accesses properties or elements
individually.
• Flexibility:
You can easily extract specific values, rename variables, and handle nested structures.
Advanced Destructuring Techniques:
• Default Values: You can provide default values for variables in case the property
or element doesn't exist.
JavaScript
const { name = "Unknown", age } = person;
• Rest Operator: The rest operator (...) can be used to gather the remaining
elements or properties into an array or object.
JavaScript
const [first, ...rest] = numbers;
console.log(rest); // [2, 3]
• Nested Destructuring: You can destructure nested objects and arrays.
JavaScript
const user = { id: 1, address: { city: "New York" } };
const { id, address: { city } } = user;
What is the difference between map() and forEach() in JavaScript?
map() and forEach() are both methods in JavaScript used to iterate over arrays, but they
have key differences:
Return Value:
• map():
Returns a new array with the results of applying the provided function to each element
of the original array.
• forEach():
Doesn't return a value (returns undefined). It simply executes the provided function for
each element in the array.
Use Cases:
• map():
Use map() when you want to transform the elements of an array and create a new array
from the transformed values.
• forEach():
Use forEach() when you want to perform an action on each element of an array without
creating a new array.
const numbers = [1, 2, 3, 4];
In this example:
• If greet() is called without an argument, the parameter name defaults to 'Guest'.
• If an argument (like 'Aman') is provided, it overrides the default value.
Benefits:
1. Simplifies code: No need to write additional logic to check if a parameter is
undefined.
2. Improves readability: Function signatures are clearer and easier to maintain.
Important Notes:
• The default value is applied only when the argument is missing or explicitly
undefined.
• null or other falsy values do not trigger the default parameter.
2. Queue:
• Definition: A queue is a data structure that follows the First In, First Out (FIFO)
principle. This means the first element added to the queue is the first one to be
removed.
• Operations:
o Enqueue: Adds an element to the back of the queue.
o Dequeue: Removes the element from the front of the queue.
o Peek: Returns the front element without removing it.
• Use Case: Queues are useful in situations like task scheduling, managing print
jobs, and handling asynchronous requests (like server requests).
Promises: Objects that represent a value that may be available now, later, or never. It
helps in managing asynchronous tasks more cleanly than callbacks.
Async/Await: Syntactic sugar built on Promises that allows writing asynchronous code
that looks and behaves like synchronous code.
Explain the concept of event bubbling and event capturing.
When an event occurs on an element in the DOM (like a click), it doesn't just trigger that
element's event handler. Instead, the event flows through the DOM in two phases:
event capturing and event bubbling. Understanding these two phases helps in
managing how events are handled, especially when multiple elements are involved.
1. Event Bubbling:
• Definition: In event bubbling, when an event occurs on an element, it first triggers
the event handler of the target element (the element where the event occurred),
then it "bubbles up" to the ancestor elements (like its parent, grandparent, etc.)
until it reaches the topmost element (document).
• Phase: Bubbling is the default phase in JavaScript. The event starts at the target
element and bubbles upward through the DOM hierarchy.
• Example: If a click event happens on a button inside a div, the event first triggers
on the button, then bubbles up to the div, and eventually to the document.
Example of Event Bubbling:
2. Event Capturing (Event Trickling):
• Definition: In event capturing (also known as trickling), the event is first captured
by the outermost ancestor and then propagates down to the target element.
• Phase: Event capturing happens before event bubbling. The event is captured
starting from the outermost parent down to the target element.
• Usage: Capturing phase is less commonly used but can be important when you
want to intercept events before they reach the target element.
Example of Event Capturing:
To listen in the capturing phase, you pass a third argument (true) to the
addEventListener method.
The event is first captured by the parent div and then proceeds to the child button.
Event Flow:
The event flow in JavaScript happens in three phases:
1. Capturing phase: The event travels from the root (document) down to the target
element.
2. Target phase: The event reaches the target element (where it was triggered).
3. Bubbling phase: The event bubbles up from the target element back to the root
(document).
Deep Copy:
• Creates a new object or array.
• Recursively copies all nested objects and arrays.
• Changes to nested objects or arrays in the copy do not affect the original.
Methods for Shallow Copy:
Spread operator (...), Object.assign(), and Array.slice().
Methods for Deep Copy:
• JSON.parse(JSON.stringify()): (can be inefficient for large objects)
• Libraries like Lodash's cloneDeep()
• Custom recursive copy functions
When to Use Which:
• Shallow copy:
When you need to create a new object or array with the same top-level structure, and
you don't mind if changes to nested objects or arrays are reflected in the original.
• Deep copy:
When you need a completely independent copy of an object or array, including all
nested structures.
Explain the concept of the event loop in JavaScript
The event loop is a fundamental concept in JavaScript that allows the language to
handle asynchronous operations despite being single-threaded. It enables JavaScript
to execute non-blocking, asynchronous tasks efficiently without freezing the main
thread, making it suitable for tasks like handling user input, fetching data from APIs,
and timers.
Key Concepts:
• Single-threaded: JavaScript executes code in a single thread, meaning it can only
do one thing at a time. However, it uses asynchronous mechanisms (like
callbacks, Promises, and async/await) to handle tasks that take time, such as
network requests.
• Non-blocking: Even though JavaScript is single-threaded, it doesn't block the
execution of other tasks while waiting for asynchronous tasks to complete. This is
where the event loop comes into play.
Explanation:
1. Start is printed immediately, as the console.log('Start') is synchronous and added
to the call stack.
2. The setTimeout callback is sent to the Web APIs and will be placed in the
callback queue after 2 seconds.
3. The Promise.resolve() is also asynchronous but its then callback goes into the
microtask queue, which has higher priority than the callback queue.
4. End is printed, as it’s the next synchronous task in the call stack.
5. The event loop checks the microtask queue (which contains the resolved
Promise) and prints Promise resolved.
6. After that, the event loop picks up the setTimeout callback from the callback
queue and prints Timer callback.
Key Points to Remember:
1. Single-threaded but asynchronous: JavaScript can handle asynchronous
operations without blocking the main thread using the event loop.
2. Priority of Microtasks: Microtasks (like Promise resolutions) are given priority over
tasks from the callback queue.
3. Non-blocking I/O: The event loop allows JavaScript to perform non-blocking
operations like file reading, HTTP requests, and timers without halting the rest of
the program.
Visual Representation of the Event Loop:
1. Call Stack: Executes the current function or task.
2. Web APIs: Handles asynchronous tasks.
3. Callback Queue: Queues up tasks (callbacks) to be executed once the call stack
is empty.
4. Microtask Queue: Queues up microtasks (e.g., resolved Promises), which are
executed before callbacks.
5. Event Loop: Continuously checks the call stack, and when it’s empty, it pulls
tasks from the callback queue or microtask queue.
Summary:
• The event loop enables JavaScript to handle asynchronous tasks efficiently in a
non-blocking manner.
• It continuously checks the call stack and moves tasks from the callback or
microtask queue into the stack once the stack is empty.
• Microtasks (e.g., Promises) are prioritized over regular callbacks (e.g.,
setTimeout).
• By understanding the event loop, you can better predict how JavaScript executes
asynchronous code, which is crucial for writing efficient, non-blocking
applications.
What is the purpose of the strict mode in JavaScript?
Strict mode in JavaScript is a way to opt into a more restricted variant of the language. It
helps you write cleaner and more secure code by:
Catching Errors:
• Eliminates silent errors:
Strict mode converts some silent errors into thrown errors, making them easier to
identify and fix. For example, assigning a value to a non-writable property or using
undeclared variables will throw an error in strict mode.
• Prevents accidental globals:
In normal JavaScript, mistyping a variable name can create a new global variable. Strict
mode prevents this, helping you avoid accidental global pollution.
Improving Security:
• Disallows certain features:
Strict mode prohibits some potentially dangerous features that can lead to security
vulnerabilities. For example, it disallows the with statement and the eval function in
certain contexts.
• Enforces stricter syntax:
Strict mode enforces stricter syntax rules, making it harder to write code that could be
exploited.
Optimizing Performance:
• Enables optimizations: Strict mode can sometimes make your code run faster
because it allows JavaScript engines to make more optimizations.
How to Use Strict Mode:
• Function Scope: To enable strict mode for a specific function, add the following
line at the beginning of the function body:
How do you manage memory in JavaScript?
JavaScript manages memory automatically through a process called garbage
collection. This means developers don't need to manually allocate or deallocate
memory like in languages like C++. Here's a breakdown of how it works:
Memory Allocation:
• When you create variables, objects, or functions in JavaScript, the engine
automatically allocates the necessary memory in the heap.
Garbage Collection:
• The JavaScript engine periodically runs a garbage collector to identify and
reclaim memory that is no longer reachable.
• The most common garbage collection algorithm used in JavaScript is the mark-
and-sweep algorithm:
o Mark Phase: The garbage collector identifies all reachable objects by
traversing the object graph starting from the root (global object).
o Sweep Phase: The garbage collector reclaims memory from objects that
were not marked as reachable.
What Developers Can Do:
• Minimize Global Variables:
Global variables remain in memory throughout the lifetime of the application. Use
them sparingly.
• Avoid Memory Leaks:
Memory leaks occur when objects are no longer needed but are still reachable by the
garbage collector. Common causes include:
o Unintentional Global Variables: Avoid accidentally creating global
variables.
o Circular References: When two or more objects reference each other,
creating a cycle, they cannot be garbage collected.
o Detached DOM Nodes: If you remove a DOM element, ensure to remove
any event listeners attached to it.
• Use Tools:
o Chrome DevTools: The Memory panel in Chrome DevTools allows you to
take memory snapshots and analyze memory usage.
o Node.js Heap Snapshots: Node.js provides similar functionality for
analyzing memory usage in server-side applications.
What are generators in JavaScript, and how do they work?
Generators in JavaScript are functions that can be paused and resumed, allowing you
to produce a sequence of values on demand. They're a powerful tool for working with
iterators and handling asynchronous operations.
How they work:
• Syntax: Generator functions are defined using the function* syntax and use
the yield keyword to pause execution and return a value.
Benefits of Generators:
• Lazy Evaluation: Generators only produce values when they're requested, making
them memory-efficient for large data sets.
• Improved Control Flow: They allow you to write asynchronous code that looks
synchronous, making it easier to read and understand.
• Iterators Made Easy: Generators provide a simple way to create custom iterators.
Common Use Cases:
• Infinite Sequences:
You can create generators that produce an infinite sequence of values, like Fibonacci
numbers.
• Asynchronous Operations:
Generators can be used to simplify asynchronous code, especially when combined
with promises or the async/await syntax.
• Data Processing Pipelines:
They can be used to create data processing pipelines where each step can be paused
and resumed as needed.
Local Scope: Variables declared inside a function (using var, let, or const) are local to
that function and cannot be accessed outside of it.
Block Scope: ES6 introduced block-scoped variables using let and const. Variables
defined with let or const are scoped to the block in which they are declared (e.g., within
{ }).
2. Hoisting
Hoisting is JavaScript's default behavior of moving declarations to the top of their
containing scope before the code is executed. This applies to both variables and
functions, but it works differently for each.
Hoisting Variables
• Variables declared using var are hoisted to the top of their scope but not
initialized until the line of code where they are assigned a value.
The first console.log prints undefined because the declaration of hoistedVar is
hoisted, but the initialization happens at the line where the assignment occurs. This is
known as undefined hoisting.
Variables declared with let and const are also hoisted, but they are placed in a
"temporal dead zone" (TDZ), which means they cannot be accessed before the line of
initialization.
Hoisting Functions
• Function declarations are fully hoisted, meaning both the declaration and
definition are moved to the top of the scope. This allows you to call the function
before its declaration in the code.
Components of try...catch
1. try block: Contains code that you want to execute, which may throw an error. If
an error occurs inside this block, the code execution immediately stops, and
control is passed to the catch block.
2. catch block: Handles any error thrown in the try block. It receives the error
object, which contains information about the error, including its message, name,
and stack trace.
3. finally block (optional): This block is always executed after the try and catch
blocks, regardless of whether an error was thrown or not. It’s useful for cleanup
tasks (e.g., closing a file or releasing resources).
In this example:
• The try block contains a call to a function that doesn't exist, which will throw a
ReferenceError.
• The catch block handles the error by logging a custom message and the error's
message to the console.
• The finally block executes regardless of whether an error occurred, ensuring that
any necessary cleanup or final actions take place.
How do you create and manage objects in JavaScript?
In JavaScript, objects are a fundamental data structure used to store collections of key-
value pairs. Keys are usually strings (or symbols), while values can be any data type,
including other objects, functions, or arrays. JavaScript provides multiple ways to
create and manage objects.
1. Object Literals
An object literal is the simplest and most common way to create objects in JavaScript.
Using the Object Constructor
You can also create objects using the Object constructor, although this is less
common.
Key differences:
• undefined is the default value for uninitialized variables, while null is used to
explicitly set a variable to "no value."
• typeof null returns 'object', while typeof undefined returns 'undefined'.
What Are Template Literals in JavaScript and How Do They Differ from Regular
Strings?
Template literals are introduced in ES6 and provide an enhanced way to work with
strings. They are enclosed in backticks (`) instead of quotes (' or "), and they allow for:
• String Interpolation: You can embed expressions directly in the string using
${expression}.
• Multi-line strings: Template literals allow you to create strings that span multiple
lines without using escape characters.
• Tagged template literals: Allow custom processing of template literals using a
function.
Differences from regular strings:
• Regular strings are enclosed in single or double quotes, while template literals
use backticks.
• Regular strings require concatenation (+) to combine variables and strings,
whereas template literals use ${} for interpolation.
Different Ways to Iterate Over an Array in JavaScript
JavaScript provides several ways to iterate over arrays, each suited for different use
cases. Here are some common methods:
How to Clone an Object in JavaScript
Cloning an object means creating a copy of the original object. There are different
methods for cloning objects, each with its pros and cons.
1. Shallow Clone Using Object Spread (...)
This creates a shallow copy of the object, meaning it only copies the immediate
properties and not nested objects.
Key differences:
• Hoisting: Function declarations are hoisted, but function expressions are not.
• Naming: Function declarations must have a name, while function expressions
can be anonymous.
How Do Arrow Functions Differ from Regular Functions in JavaScript?
Arrow functions (=>) were introduced in ES6 and have a more concise syntax than
regular functions. However, there are some important differences:
1. this Context: Arrow functions do not have their own this. They inherit this from
their surrounding scope (lexical this). Regular functions have their own this,
which is dynamic and depends on how the function is called.
o Example:
What Are Immediately Invoked Function Expressions (IIFEs), and Why Are They
Used?
An Immediately Invoked Function Expression (IIFE) is a function that is executed right
after it is defined. It is often used to create a local scope to avoid polluting the global
namespace or to isolate variables.
3. Module pattern: Before ES6 modules, IIFEs were commonly used to simulate
modules in JavaScript.
How to Implement a Callback Function in JavaScript
A callback function is a function that is passed as an argument to another function and
is invoked after some operation or event. Callback functions are commonly used in
asynchronous programming (e.g., handling events, making API calls, etc.).
Example of a Callback Function:
Difficulty in Debugging: Global variables can make it difficult to track where and when
they are being modified, especially in large codebases, making debugging challenging.
Memory Usage: Global variables persist throughout the lifetime of the application
and may consume memory unnecessarily if not managed properly, potentially leading
to memory leaks.
Unintended Side Effects: Since global variables are accessible anywhere, changes to
them can cause unintended side effects across different parts of the program.
Concurrency Issues: In environments like browsers, where multiple scripts can be
running, global variables can lead to concurrency issues, where different scripts
unintentionally modify the same global variable.
What is the Temporal Dead Zone in JavaScript?
The Temporal Dead Zone (TDZ) is a behavior in JavaScript that occurs with variables
declared using let and const. It refers to the time between the entering of a block and
the point where the variable is declared and initialized. During this period, if you try to
access the variable, you'll get a ReferenceError.
In simple terms, the TDZ exists between the start of a block and the moment a variable
is initialized. While the variable is hoisted (i.e., known to exist), it is not yet initialized,
and any attempt to access it will result in an error.
Example of Temporal Dead Zone:
In the example above, myVar is hoisted but in the Temporal Dead Zone until the let
declaration is reached. If you try to access the variable before its declaration, it throws
a ReferenceError.
Key Points:
• Variables declared with let and const are hoisted but not initialized until their
declaration.
• Accessing the variable before its initialization results in a ReferenceError.
• The TDZ prevents let and const variables from being accessed before they are
explicitly declared, ensuring safer code.
What is Lexical Scoping in JavaScript, and How Does it Differ from Dynamic
Scoping?
Lexical Scoping (Static Scoping)
In lexical scoping, the scope of a variable is determined by its position in the source
code at the time of writing, not by how the code is executed or called. In JavaScript,
functions are lexically scoped, meaning they remember the scope in which they were
defined, even if they are executed outside that scope later on.
Lexical scoping means that a function’s scope (or environment) is determined by its
physical location in the code, not by where or how it is called.
Example of Lexical Scoping:
In the example above, the function inner() has access to the variable outerVar because
it is defined inside the scope of the outer() function. Even if inner() is executed later, it
retains access to outerVar due to lexical scoping.
Dynamic Scoping
In dynamic scoping, a function's scope is determined by the context of the function
call, not by where the function is defined. Dynamic scoping is based on the call stack,
meaning it looks for variable declarations in the calling function's scope.
However, JavaScript does not support dynamic scoping. Some other languages, like
Perl, support dynamic scoping, but JavaScript relies on lexical scoping.
How do you create an array in JavaScript?
How Do You Create an Array in JavaScript?
You can create an array using square brackets [].
Example:
How Do You Remove an Element from the Beginning of an Array? How About the
End?
• Beginning: Use shift()
• End: Use pop()
Examples:
map(): Executes a function on each element of the array and creates a new array with
the results. It’s used for transforming data.
Example:
How Do You Sort an Array in JavaScript?
Use the sort() method. It sorts the elements of an array in place.
Example:
Example:
slice(): Returns a new array with a portion of the original array, without modifying the
original array.
Remove Duplicates from an Array
Use a Set or filter() with indexOf().
Example with Set:
Bracket Notation: Access properties using square brackets ([]). Useful for properties
with dynamic names or special characters
Deep Copy: Creates a copy of the entire object, including nested objects or arrays.
Changes to the copy don’t affect the original.
How Do You Merge Two or More Objects in JavaScript?
Use spread syntax or Object.assign() to combine objects.
Examples:
How Do You Create a Method Inside an Object?
Define functions as properties within the object.
Example:
How Do You Compare Two Objects in JavaScript to Check If They Are Equal?
Objects are compared by reference, not by value. Use deep comparison to check for
equality.
Example:
How Do You Serialize an Object into a JSON String and Parse It Back into an
Object?
Use JSON.stringify() to serialize and JSON.parse() to parse.
Examples: