0% found this document useful (0 votes)
6 views55 pages

50 Must-Know HTML, CSS and JavaScript Interview Questions by Ex-Interviewers - Blog

The document provides a comprehensive list of 50 essential HTML, CSS, and JavaScript interview questions and answers, designed to help beginners prepare for junior developer roles. It covers key concepts such as hoisting, variable declarations, event loops, and the differences between various JavaScript features. The content is aimed at boosting confidence and knowledge for technical interviews in web development.

Uploaded by

safinkordiya30
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
6 views55 pages

50 Must-Know HTML, CSS and JavaScript Interview Questions by Ex-Interviewers - Blog

The document provides a comprehensive list of 50 essential HTML, CSS, and JavaScript interview questions and answers, designed to help beginners prepare for junior developer roles. It covers key concepts such as hoisting, variable declarations, event loops, and the differences between various JavaScript features. The content is aimed at boosting confidence and knowledge for technical interviews in web development.

Uploaded by

safinkordiya30
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 55

11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

GreatFrontEnd Projects now in BETA! 30% off with BETA30


Get started Prepare Get full access
Blog Menu Series Contents

50 Must-know HTML, CSS and JavaScript Interview


Questions by Ex-interviewers
Discover fundamental HTML, CSS, and JavaScript knowledge with these expert-crafted
interview questions and answers. Perfect for freshers preparing for junior developer
roles.
Starter #html #css #javascript #interviews

GreatFrontEnd Team Copy link Share


43 min read 28 Jan 2025

HTML, CSS, and JavaScript are fundamental skills for any aspiring web developer, and
securing a job in this field can be a challenging endeavor, especially for beginners. A critical
part of the interview process is the technical interview, where your proficiency in these core
web technologies is thoroughly assessed. To help you prepare and boost your confidence,
we’ve compiled a list of the top 50 essential interview questions and answers covering HTML,
CSS, and JavaScript that are frequently asked in interviews.
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 1/55
1. What Is Hoisting in JavaScript?
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Hoisting refers to JavaScript's behavior of moving variable and function declarations to the top
of their scope during the compilation phase. While declarations are hoisted, initializations are
not.

Example with var :


console.log(foo); // undefined
var foo = 1;
console.log(foo); // 1

Visualized as:

var foo;
console.log(foo); // undefined
foo = 1;
console.log(foo); // 1

Variables Declared with let , const , and class


These are hoisted but remain uninitialized, leading to a ReferenceError if accessed before
declaration.

console.log(bar); // ReferenceError
let bar = 'value';

Function Declarations vs. Expressions


Function declarations are fully hoisted (both declaration and definition), while function
expressions are only partially hoisted (declaration without initialization).

1 console.log(declared()); // Works

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 2/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

2 function declared() {
3 return 'Declared function';
4 }
5
6 console.log(expr); // undefined
7 console.log(expr()); // TypeError: expr is not a function
8 var expr = function () {
9 return 'Function expression';
10 };

Imports
Import statements are hoisted, making imported modules available throughout the file.

import foo from './foo';


foo.doSomething(); // Accessible

Explore the concept of "hoisting" in JavaScript on GreatFrontEnd

2. How Do let , var , and const Differ?


1. Scope:
var : Function-scoped or globally scoped.
let and const : Block-scoped, confined to their nearest enclosing block.

1 function test() {
2 var a = 1;
3 let b = 2;
4 const c = 3;
5 }
6 console.log(a); // ReferenceError
7 console.log(b); // ReferenceError
8 console.log(c); // ReferenceError

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 3/55
2. Initialization:
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

var and let : Can be declared without initialization.


const : Must be initialized during declaration.

var a;
let b;
const c; // SyntaxError: Missing initializer

3. Redeclaration:
var : Allows redeclaration in the same scope.
let and const : Redeclaration is not allowed.

1 var x = 1;
2 var x = 2; // Valid
3
4 let y = 1;
5 let y = 2; // SyntaxError

4. Reassignment:
var and let : Reassignment is allowed.
const : Reassignment is not allowed.

const z = 1;
z = 2; // TypeError

5. Hoisting:
var : Hoisted and initialized to undefined .

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 4/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

letand const : Hoisted but not initialized, causing a ReferenceError if accessed


before declaration.

1 console.log(a); // undefined
2 var a = 1;
3
4 console.log(b); // ReferenceError
5 let b = 2;

Explore the differences between let , var , and const on GreatFrontEnd

3. What Is the Difference Between == and === ?


Equality Operator ( == ):
Converts operands to a common type before comparison.
May produce unexpected results due to type coercion.

42 == '42'; // true
0 == false; // true
null == undefined; // true

Strict Equality Operator ( === ):


No type conversion; checks both value and type.
Ensures accurate comparisons.

42 === '42'; // false


0 === false; // false
null === undefined; // false

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 5/55
Best Practice:
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Prefer === to avoid unexpected behavior caused by type coercion, except when comparing
against null or undefined .

var value = null;


console.log(value == null); // true
console.log(value === null); // true

Explore the difference between == and === on GreatFrontEnd

4. What Is the Event Loop in JavaScript?


The event loop allows JavaScript to handle asynchronous tasks on a single thread, ensuring
smooth execution without blocking.

Components:
1. Call Stack: Tracks function calls in a LIFO order.
2. Web APIs: Handle asynchronous tasks like timers and HTTP requests.
3. Task Queue: Stores tasks like setTimeout and UI events.
4. Microtask Queue: Handles high-priority tasks like Promise callbacks.

Execution Order:
1. Synchronous code executes first (call stack).
2. Microtasks are processed next.
3. Macrotasks are executed afterward.

Example:
1 console.log('Start');

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 6/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

2
3 setTimeout(() => console.log('Timeout'), 0);
4
5 Promise.resolve().then(() => console.log('Promise'));
6
7 console.log('End');

Output:

Start
End
Promise
Timeout

Explore the event loop in JavaScript on GreatFrontEnd

5. What Is Event Delegation?


Event delegation uses a single event listener on a parent element to manage events on its
child elements. This approach takes advantage of event bubbling, improving efficiency.

Benefits:
Reduces memory usage by limiting the number of listeners.
Dynamically handles added or removed child elements.

Example:
1 document.getElementById('parent').addEventListener('click', (event) => {
2 if (event.target.tagName === 'BUTTON') {
3 console.log(`Clicked ${event.target.textContent}`);
4 }
5 });

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 7/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Explore event delegation in JavaScript on GreatFrontEnd

6. How Does this Work in JavaScript?


The value of this depends on how a function is invoked:

Rules:
1. Default Binding: Refers to the global object ( window in browsers).
2. Implicit Binding: Refers to the object before the dot.
3. Explicit Binding: Defined using call , apply , or bind .
4. Arrow Functions: Lexically inherit this from the surrounding scope.

Example:
1 const obj = {
2 name: 'Alice',
3 greet() {
4 console.log(this.name);
5 },
6 };
7 obj.greet(); // Alice

Explore how this works in JavaScript on GreatFrontEnd

7. How Do Cookies, localStorage , and sessionStorage


Differ?
Cookies:
Sent with every HTTP request.
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 8/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Limited to 4KB per domain.


Can be set to expire.

document.cookie = 'token=abc123; expires=Fri, 31 Dec 2025 23:59:59 GMT; path=/';


console.log(document.cookie);

localStorage :
Persistent storage (until manually cleared).
5MB limit per origin.

localStorage.setItem('key', 'value');
console.log(localStorage.getItem('key'));

sessionStorage :
Data cleared when the tab or browser is closed.
Limited to 5MB.

sessionStorage.setItem('key', 'value');
console.log(sessionStorage.getItem('key'));

Explore the difference between cookies, localStorage , and sessionStorage on


GreatFrontEnd

8. What Are <script> , <script async> , and <script


defer> ?

<script> :
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 9/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Blocks HTML parsing until the script loads and executes.

<script async> :
Loads scripts asynchronously.
Executes as soon as the script is ready, potentially before HTML parsing completes.

<script defer> :
Loads scripts asynchronously.
Executes only after the HTML parsing is complete.

<script src="main.js"></script>
<script async src="async.js"></script>
<script defer src="defer.js"></script>

Explore the difference between <script> , <script async> , and <script defer> on
GreatFrontEnd

9. How Do null , undefined , and Undeclared Variables


Differ?
null :
Explicitly represents no value. Use === to check.

undefined :
Indicates a variable has been declared but not assigned a value.

Undeclared:
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 10/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Variables not declared will throw a ReferenceError .

1 let a;
2 console.log(a); // undefined
3
4 let b = null;
5 console.log(b); // null

Explore the difference between null , undefined , and undeclared variables on


GreatFrontEnd

10. What Is the Difference Between .call and .apply ?


.call :
Accepts arguments as a comma-separated list.

.apply :
Accepts arguments as an array.

1 function sum(a, b) {
2 return a + b;
3 }
4 console.log(sum.call(null, 1, 2)); // 3
5 console.log(sum.apply(null, [1, 2])); // 3

Explore the difference between .call and .apply on GreatFrontEnd

11. What Is Function.prototype.bind and Why Is It


Useful?
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 11/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

The Function.prototype.bindmethod allows you to create a new function with a specific


this context and optional preset arguments. It’s particularly useful for ensuring a function
has the correct this context when passed to another function or used as a callback.

Example:
1 const john = {
2 age: 42,
3 getAge: function () {
4 return this.age;
5 },
6 };
7
8 console.log(john.getAge()); // 42
9
10 const unboundGetAge = john.getAge;
11 console.log(unboundGetAge()); // undefined
12
13 const boundGetAge = john.getAge.bind(john);
14 console.log(boundGetAge()); // 42
15
16 const mary = { age: 21 };
17 const boundGetAgeMary = john.getAge.bind(mary);
18 console.log(boundGetAgeMary()); // 21

Common Uses:
1. Binding this : bind is often used to fix the this value for a method, ensuring it always
refers to the intended object.
2. Partial Application: You can predefine some arguments for a function using bind .
3. Method Borrowing: bind allows methods from one object to be used on another object.
Explore Function.prototype.bind on GreatFrontEnd

12. Why Use Arrow Functions in Constructors?


https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 12/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Arrow functions automatically bind the this value to the surrounding lexical scope, which
eliminates issues with context in methods. This behavior makes code more predictable and
easier to debug.

Example:
1 const Person = function (name) {
2 this.name = name;
3
4 this.sayName1 = function () {
5 console.log(this.name);
6 };
7
8 this.sayName2 = () => {
9 console.log(this.name);
10 };
11 };
12
13 const john = new Person('John');
14 const dave = new Person('Dave');
15
16 john.sayName1(); // John
17 john.sayName2(); // John
18
19 john.sayName1.call(dave); // Dave
20 john.sayName2.call(dave); // John

When to Use:
In scenarios like React class components, where methods are passed as props and need
to retain their original this context.
Explore the advantage of using the arrow syntax for a method in a constructor on
GreatFrontEnd

13. How Does Prototypal Inheritance Work?


https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 13/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Prototypal inheritance allows objects to inherit properties and methods from other objects
through the prototype chain.

Key Concepts:
1. Prototypes:
Every JavaScript object has a prototype, which is another object from which it inherits
properties.

1 function Person(name, age) {


2 this.name = name;
3 this.age = age;
4 }
5
6 Person.prototype.sayHello = function () {
7 console.log(`Hello, my name is ${this.name} and I am ${this.age} years old.`)
8 };
9
10 const john = new Person('John', 30);
11 john.sayHello(); // Hello, my name is John and I am 30 years old.

2. Prototype Chain:
JavaScript looks for properties and methods on the object and continues up the chain until it
finds the property or reaches null .
3. Constructor Functions:
Used with new to create objects and set their prototype.

1 function Animal(name) {
2 this.name = name;
3 }
4
5 Animal.prototype.sayName = function () {
6 console.log(`My name is ${this.name}`);
7 };
8

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 14/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

9 function Dog(name, breed) {


10 Animal.call(this, name);
11 this.breed = breed;
12 }
13
14 Dog.prototype = Object.create(Animal.prototype);
15 Dog.prototype.bark = function () {
16 console.log('Woof!');
17 };
18
19 const fido = new Dog('Fido', 'Labrador');
20 fido.sayName(); // My name is Fido
21 fido.bark(); // Woof!

Explore how prototypal inheritance works on GreatFrontEnd

14. What’s the Difference Between function Person(){} ,


const person = Person() , and const person = new
Person() ?

Function Declaration:
function Person() {} is a standard function declaration. When written in PascalCase, it
conventionally represents a constructor function.

Function Call:
const person = Person() calls the function and executes its code but does not create a
new object.

Constructor Call:
const person = new Person() creates a new object, setting its prototype to
Person.prototype .

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 15/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Explore the difference between function Person(){} , const person = Person() , and
const person = new Person() on GreatFrontEnd

15. How Do Function Declarations and Expressions Differ?


Function Declarations:
function foo() {
console.log('Function declaration');
}

Hoisted with their body.


Can be invoked before their definition.

Function Expressions:
const foo = function () {
console.log('Function expression');
};

Only the variable is hoisted, not the function body.


Cannot be invoked before their definition.
Explore the differences between function declarations and expressions on GreatFrontEnd

16. How Can You Create Objects in JavaScript?


1. Object Literals:

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 16/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

const person = { firstName: 'John', lastName: 'Doe' };

2. Object() Constructor:

const person = new Object();


person.firstName = 'John';
person.lastName = 'Doe';

3. Object.create() :

1 const proto = {
2 greet() {
3 console.log('Hello!');
4 },
5 };
6 const person = Object.create(proto);
7 person.greet(); // Hello!

4. ES2015 Classes:

1 class Person {
2 constructor(name, age) {
3 this.name = name;
4 this.age = age;
5 }
6 }

Explore ways to create objects in JavaScript on GreatFrontEnd

17. What Are Higher-Order Functions?


Higher-order functions either:
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 17/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

1. Take other functions as arguments.


2. Return functions.

Example:
1 function multiplier(factor) {
2 return function (number) {
3 return number * factor;
4 };
5 }
6
7 const double = multiplier(2);
8 console.log(double(5)); // 10

Explore higher-order functions on GreatFrontEnd

18. Differences Between ES2015 Classes and ES5


Constructors
ES5 Constructor:
1 function Person(name) {
2 this.name = name;
3 }
4 Person.prototype.greet = function () {
5 console.log(`Hello, I’m ${this.name}`);
6 };

ES2015 Class:
1 class Person {
2 constructor(name) {
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 18/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

3 this.name = name;
4 }
5
6 greet() {
7 console.log(`Hello, I’m ${this.name}`);
8 }
9 }

Key Differences:
Syntax: Classes are easier to read and write.
Inheritance: Classes use extends and super .
Explore ES2015 classes and ES5 constructors on GreatFrontEnd

19. What Is Event Bubbling?


Event bubbling is when an event starts at the target element and propagates up through its
ancestors.

Example:
parent.addEventListener('click', () => console.log('Parent clicked'));
child.addEventListener('click', () => console.log('Child clicked'));

Clicking the child triggers both handlers.


Explore event bubbling on GreatFrontEnd

20. What Is Event Capturing?


Event capturing is when an event starts at the root and propagates down to the target
element.
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 19/55
Enabling Capturing:
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

parent.addEventListener('click', () => console.log('Parent capturing'), true);

Explore event capturing on GreatFrontEnd

21. How Do the mouseenter and mouseover Events Differ


in JavaScript and Browsers?
mouseenter

Does not propagate through the DOM tree


Fires solely when the cursor enters the element itself, excluding its child elements
Triggers only once upon entering the parent element, regardless of its internal content

mouseover

Propagates upwards through the DOM hierarchy


Activates when the cursor enters the element or any of its descendant elements
May lead to multiple event callbacks if there are nested child elements
Discover the distinctions between mouseenter and mouseover events in JavaScript and
browsers on GreatFrontEnd

22. Can You Differentiate Between Synchronous and


Asynchronous Functions?
Synchronous Functions
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 20/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Execute operations in a sequential, step-by-step manner


Block the program's execution until the current task completes
Adhere to a strict, line-by-line execution order
Are generally easier to comprehend and debug due to their predictable flow
Common use cases include reading files synchronously and iterating over large datasets
Example:

const fs = require('fs');
const data = fs.readFileSync('large-file.txt', 'utf8');
console.log(data); // Blocks until file is read
console.log('End of the program');

Asynchronous Functions
Allow the program to continue running without waiting for the task to finish
Enable other operations to proceed while waiting for responses or the completion of time-
consuming tasks
Are non-blocking, facilitating concurrent execution and enhancing performance and
responsiveness
Commonly used for network requests, file I/O, timers, and animations
Example:

1 console.log('Start of the program');


2
3 fetch('https://api.example.com/data')
4 .then((response) => response.json())
5 .then((data) => console.log(data)) // Non-blocking
6 .catch((error) => console.error(error));
7
8 console.log('End of program');

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 21/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Understand the distinctions between synchronous and asynchronous functions on


GreatFrontEnd

23. Provide a Comprehensive Explanation of AJAX


AJAX (Asynchronous JavaScript and XML) encompasses a collection of web development
techniques that utilize various client-side technologies to build asynchronous web
applications. Unlike traditional web applications where every user interaction results in a
complete page reload, AJAX enables web apps to send and retrieve data from a server
asynchronously. This allows for dynamic updates to specific parts of a web page without
disrupting the overall page display and behavior.
Key Highlights:
Asynchronous Operations: AJAX allows parts of a web page to update independently
without reloading the entire page.
Data Formats: Initially utilized XML, but JSON has become more prevalent due to its
seamless compatibility with JavaScript.
APIs: Traditionally relied on XMLHttpRequest , though fetch() is now the preferred
choice for modern web development.

XMLHttpRequest API
Example:

1 let xhr = new XMLHttpRequest();


2 xhr.onreadystatechange = function () {
3 if (xhr.readyState === XMLHttpRequest.DONE) {
4 if (xhr.status === 200) {
5 console.log(xhr.responseText);
6 } else {
7 console.error('Request failed: ' + xhr.status);
8 }
9 }
10 };
11 xhr.open('GET', 'https://jsonplaceholder.typicode.com/todos/1', true);
12 xhr.send();

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 22/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Process: Initiates a new XMLHttpRequest , assigns a callback to handle state changes,


opens a connection to a specified URL, and sends the request.

fetch() API
Example:

1 fetch('https://jsonplaceholder.typicode.com/todos/1')
2 .then((response) => {
3 if (!response.ok) {
4 throw new Error('Network response was not ok');
5 }
6 return response.json();
7 })
8 .then((data) => console.log(data))
9 .catch((error) => console.error('Fetch error:', error));

Process: Starts a fetch request, processes the response with .then() to parse JSON
data, and handles errors using .catch() .

How AJAX Operates with fetch


1. Initiating a Request
fetch() starts an asynchronous request to obtain a resource from a given URL.

Example:

1 fetch('https://api.example.com/data', {
2 method: 'GET', // or 'POST', 'PUT', 'DELETE', etc.
3 headers: {
4 'Content-Type': 'application/json',
5 },
6 });

2. Promise-Based Response
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 23/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

fetch() returns a Promise that resolves to a Response object representing the server's
reply.
3. Managing the Response
The Response object provides methods to handle the content, such as .json() ,
.text() , and .blob() .

Example:

fetch('https://api.example.com/data')
.then((response) => response.json())
.then((data) => console.log(data))
.catch((error) => console.error('Error:', error));

4. Asynchronous Nature
fetch() operates asynchronously, allowing the browser to perform other tasks while
awaiting the server's response.
Promises ( .then() , .catch() ) are processed in the microtask queue as part of the
event loop.
5. Configuring Request Options
The optional second parameter in fetch() allows configuration of various request
settings, including HTTP method, headers, body, credentials, and caching behavior.
6. Handling Errors
Errors such as network failures or invalid responses are captured and managed through
the Promise chain using .catch() or try/catch with async/await .
Learn how to explain AJAX in detail on GreatFrontEnd

24. What Are the Pros and Cons of Utilizing AJAX?


AJAX (Asynchronous JavaScript and XML) facilitates the asynchronous exchange of data
between web pages and servers, enabling dynamic content updates without necessitating full
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 24/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

page reloads.

Advantages
Enhanced User Experience: Updates content seamlessly without refreshing the entire
page.
Improved Performance: Reduces server load by fetching only the required data.
Maintains State: Preserves user interactions and client-side states within the page.

Disadvantages
Dependency on JavaScript: Functionality can break if JavaScript is disabled in the
browser.
Bookmarking Issues: Dynamic content updates make it difficult to bookmark specific
states of a page.
SEO Challenges: Search engines may find it hard to index dynamically loaded content
effectively.
Performance on Low-End Devices: Processing AJAX data can be resource-intensive,
potentially slowing down performance on less powerful devices.
Explore the benefits and drawbacks of using AJAX on GreatFrontEnd

25. How Do XMLHttpRequest and fetch() Differ?


Both XMLHttpRequest (XHR) and fetch() facilitate asynchronous HTTP requests in
JavaScript, but they vary in syntax, handling mechanisms, and features.

Syntax and Implementation


XMLHttpRequest: Utilizes an event-driven approach, requiring event listeners to manage
responses and errors.
fetch(): Employs a Promise-based model, offering a more straightforward and intuitive
syntax.
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 25/55
Setting Request Headers
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

XMLHttpRequest: Headers are set using the setRequestHeader method.


fetch(): Headers are provided as an object within the options parameter.

Sending the Request Body


XMLHttpRequest: The request body is sent using the send method.
fetch(): The body property within the options parameter is used to include the request
body.

Handling Responses
XMLHttpRequest: Uses the responseType property to manage different response
formats.
fetch(): Offers a unified Response object with .then methods for accessing data.

Managing Errors
XMLHttpRequest: Errors are handled via the onerror event.
fetch(): Errors are managed using the .catch method.

Controlling Caching
XMLHttpRequest: Managing cache can be cumbersome and often requires workaround
strategies.
fetch(): Directly supports caching options through its configuration.

Canceling Requests
XMLHttpRequest: Requests can be aborted using the abort() method.
fetch(): Utilizes AbortController for canceling requests.

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 26/55
Tracking Progress
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

XMLHttpRequest: Supports progress tracking with the onprogress event.


fetch(): Lacks native support for tracking progress.
Choosing Between Them: fetch() is generally favored for its cleaner syntax and Promise-
based handling, though XMLHttpRequest remains useful for specific scenarios like progress
tracking.
Discover the distinctions between XMLHttpRequest and fetch() on GreatFrontEnd

26. What Are the Different Data Types in JavaScript?


JavaScript encompasses a variety of data types, which are categorized into two main groups:
primitive and non-primitive (reference) types.

Primitive Data Types


Number: Represents both integer and floating-point numbers.
String: Denotes sequences of characters, enclosed in single quotes, double quotes, or
backticks.
Boolean: Logical values with true or false .
Undefined: A variable that has been declared but not assigned a value.
Null: Signifies the intentional absence of any object value.
Symbol: A unique and immutable value used primarily as object property keys.
BigInt: Allows representation of integers with arbitrary precision, useful for very large
numbers.

Non-Primitive Data Types


Object: Stores collections of data and more complex entities.
Array: An ordered list of values.

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 27/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Function: Functions are treated as objects and can be defined using declarations or
expressions.
Date: Represents dates and times.
RegExp: Used for defining regular expressions for pattern matching within strings.
Map: A collection of keyed data items, allowing keys of any type.
Set: A collection of unique values.
Identifying Data Types: JavaScript is dynamically typed, meaning variables can hold different
types of data at various times. The typeof operator is used to determine a variable's type.
Explore the variety of data types in JavaScript on GreatFrontEnd

27. What Constructs Do You Use to Iterate Over Object


Properties and Array Elements?
Looping through object properties and array items is a fundamental task in JavaScript, and
there are multiple methods to accomplish this. Below are some of the common approaches:

Iterating Over Objects


1. for...in Loop
Iterates over all enumerable properties of an object, including inherited ones.

1 for (const property in obj) {


2 if (Object.hasOwn(obj, property)) {
3 console.log(property);
4 }
5 }

2. Object.keys()
Returns an array containing the object's own enumerable property names.

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 28/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Object.keys(obj).forEach((property) => console.log(property));

3. Object.entries()
Provides an array of the object's own enumerable string-keyed [key, value] pairs.

Object.entries(obj).forEach(([key, value]) => console.log(`${key}: ${value}`));

4. Object.getOwnPropertyNames()
Returns an array of all properties (including non-enumerable ones) directly found on the
object.

Object.getOwnPropertyNames(obj).forEach((property) => console.log(property));

Iterating Over Arrays


1. for Loop
A traditional loop for iterating over array elements.

for (let i = 0; i < arr.length; i++) {


console.log(arr[i]);
}

2. Array.prototype.forEach()
Executes a provided function once for each array element.

arr.forEach((element, index) => console.log(element, index));

3. for...of Loop
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 29/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Iterates over iterable objects like arrays.

for (let element of arr) {


console.log(element);
}

4. Array.prototype.entries()
Provides both the index and value of each array element within a for...of loop.

for (let [index, elem] of arr.entries()) {


console.log(index, ': ', elem);
}

Learn about the constructs used for iterating over object properties and array elements on
GreatFrontEnd

28. What Are the Advantages of Using Spread Syntax,


and How Does It Differ from Rest Syntax?
Spread Syntax
Introduced in ES2015, the spread syntax ( ... ) is a powerful feature for copying and merging
arrays and objects without altering the originals. It's widely used in functional programming,
Redux, and RxJS.
Cloning Arrays/Objects: Creates shallow copies.

1 const array = [1, 2, 3];


2 const newArray = [...array]; // [1, 2, 3]
3
4 const obj = { name: 'John', age: 30 };
5 const newObj = { ...obj, city: 'New York' }; // { name: 'John', age: 30, ci

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 30/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Combining Arrays/Objects: Merges them into a new entity.

1 const arr1 = [1, 2, 3];


2 const arr2 = [4, 5, 6];
3 const mergedArray = [...arr1, ...arr2]; // [1, 2, 3, 4, 5, 6]
4
5 const obj1 = { foo: 'bar' };
6 const obj2 = { qux: 'baz' };
7 const mergedObj = { ...obj1, ...obj2 }; // { foo: 'bar', qux: 'baz' }

Passing Function Arguments: Spreads array elements as individual arguments.

const numbers = [1, 2, 3];


Math.max(...numbers); // Equivalent to Math.max(1, 2, 3)

Array vs. Object Spreads: Only iterables can be spread into arrays, while arrays can also
be spread into objects.

const array = [1, 2, 3];


const obj = { ...array }; // { 0: 1, 1: 2, 2: 3 }

Rest Syntax
The rest syntax ( ... ) collects multiple elements into an array or object, functioning as the
opposite of spread syntax.
Function Parameters: Gathers remaining arguments into an array.

function addFiveToNumbers(...numbers) {
return numbers.map((x) => x + 5);
}
const result = addFiveToNumbers(4, 5, 6, 7); // [9, 10, 11, 12]

Array Destructuring: Collects remaining elements into a new array.

const [first, second, ...remaining] = [1, 2, 3, 4, 5];

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 31/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

// first: 1, second: 2, remaining: [3, 4, 5]

Object Destructuring: Gathers remaining properties into a new object.

const { e, f, ...others } = { e: 1, f: 2, g: 3, h: 4 };
// e: 1, f: 2, others: { g: 3, h: 4 }

Rest Parameter Rules: Must be the final parameter in a function.

function addFiveToNumbers(arg1, ...numbers, arg2) {


// Error: Rest element must be last element.
}

Understand the benefits of spread syntax and how it differs from rest syntax on
GreatFrontEnd

29. How Does a Map Object Differ from a Plain Object in


JavaScript?
Map Object
Key Flexibility: Allows keys of any type, including objects, functions, and primitives.
Order Preservation: Maintains the order in which keys are inserted.
Size Property: Includes a size property to easily determine the number of key-value
pairs.
Iteration: Directly iterable with methods like forEach , keys() , values() , and
entries() .

Performance: Typically offers better performance for larger datasets and frequent
modifications.

Plain Object
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 32/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Key Types: Primarily uses strings or symbols as keys. Non-string keys are converted to
strings.
Order: Does not guarantee the order of key insertion.
Size Tracking: Lacks a built-in property to determine the number of keys; requires manual
counting.
Iteration: Not inherently iterable. Requires methods like Object.keys() ,
Object.values() , or Object.entries() to iterate.

Performance: Generally faster for small datasets and simple operations.

Example
1 // Map
2 const map = new Map();
3 map.set('key1', 'value1');
4 map.set({ key: 'key2' }, 'value2');
5 console.log(map.size); // 2
6
7 // Plain Object
8 const obj = { key1: 'value1' };
9 obj[{ key: 'key2' }] = 'value2';
10 console.log(Object.keys(obj).length); // 1 (keys are strings)

Discover the differences between a Map object and a plain object in JavaScript on
GreatFrontEnd

30. What Are the Differences Between Map / Set and


WeakMap / WeakSet ?
The primary distinctions between Map / Set and WeakMap / WeakSet in JavaScript are
outlined below:
Key Types:
Map and Set accept keys of any type, including objects, primitives, and functions.

WeakMap and WeakSet exclusively use objects as keys, disallowing primitive values
like strings or numbers.
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 33/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Memory Management:
Map and Set maintain strong references to their keys and values, preventing their
garbage collection.
WeakMap and WeakSet use weak references for keys (objects), allowing garbage
collection if there are no other strong references.
Key Enumeration:
Map and Set have enumerable keys that can be iterated over.

WeakMap and WeakSet do not allow enumeration of keys, making it impossible to


retrieve lists of keys or values directly.
Size Property:
Map and Set provide a size property indicating the number of elements.

WeakMap and WeakSet lack a size property since their size can change due to
garbage collection.
Use Cases:
Map and Set are suitable for general-purpose data storage and caching.

WeakMap and WeakSet are ideal for storing metadata or additional object-related
information without preventing the objects from being garbage collected when they
are no longer needed.
Learn about the differences between Map / Set and WeakMap / WeakSet on GreatFrontEnd

31. What is a Practical Scenario for Using the Arrow =>


Function Syntax?
One effective application of JavaScript's arrow function syntax is streamlining callback
functions, especially when concise, inline function definitions are needed. Consider the
following example:
Scenario: Doubling Array Elements with map

Imagine you have an array of numbers and you want to double each number using the map
method.

1 // Traditional function syntax

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 34/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

2 const numbers = [1, 2, 3, 4, 5];


3 const doubledNumbers = numbers.map(function (number) {
4 return number * 2;
5 });
6
7 console.log(doubledNumbers); // Output: [2, 4, 6, 8, 10]

By utilizing arrow function syntax, the same outcome can be achieved more succinctly:

1 // Arrow function syntax


2 const numbers = [1, 2, 3, 4, 5];
3 const doubledNumbers = numbers.map((number) => number * 2);
4
5 console.log(doubledNumbers); // Output: [2, 4, 6, 8, 10]

Explore a use case for the new arrow => function syntax on GreatFrontEnd

32. How Do Callback Functions Operate in Asynchronous


Tasks?
In the realm of asynchronous programming, a callback function is passed as an argument to
another function and is executed once a particular task completes, such as data retrieval or
handling input/output operations. Here's a straightforward explanation:

Example
1 function fetchData(callback) {
2 setTimeout(() => {
3 const data = { name: 'John', age: 30 };
4 callback(data);
5 }, 1000);
6 }
7
8 fetchData((data) => {
9 console.log(data); // { name: 'John', age: 30 }

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 35/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

10 });

Explore the concept of a callback function in asynchronous operations on GreatFrontEnd

33. Can You Describe Debouncing and Throttling


Techniques?
Debouncing and throttling are techniques used to control the rate at which functions are
executed, optimizing performance and managing event-driven behaviors in JavaScript
applications.
Debouncing: Delays the execution of a function until a specified period has elapsed since
its last invocation. This is particularly useful for scenarios like handling search input where
you want to wait until the user has finished typing before executing a function.

1 function debounce(func, delay) {


2 let timeoutId;
3 return (...args) => {
4 clearTimeout(timeoutId);
5 timeoutId = setTimeout(() => func.apply(this, args), delay);
6 };
7 }

Throttling: Restricts a function to be executed no more than once within a given


timeframe. This is beneficial for handling events that fire frequently, such as window
resizing or scrolling.

1 function throttle(func, limit) {


2 let inThrottle;
3 return (...args) => {
4 if (!inThrottle) {
5 func.apply(this, args);
6 inThrottle = true;
7 setTimeout(() => (inThrottle = false), limit);
8 }
9 };
10 }

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 36/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

These strategies help in enhancing application performance by preventing excessive function


calls.
Explore the concept of debouncing and throttling on GreatFrontEnd

34. How Does Destructuring Assignment Work for


Objects and Arrays?
Destructuring assignment in JavaScript provides a concise way to extract values from arrays
or properties from objects into individual variables.

Example
1 // Array destructuring
2 const [a, b] = [1, 2];
3
4 // Object destructuring
5 const { name, age } = { name: 'John', age: 30 };

This syntax employs square brackets for arrays and curly braces for objects, allowing for
streamlined variable assignments directly from data structures.
Explore the concept of destructuring assignment for objects and arrays on GreatFrontEnd

35. What is Hoisting in the Context of Functions?


Hoisting in JavaScript refers to the behavior where function declarations are moved to the top
of their containing scope during the compilation phase. This allows functions to be invoked
before their actual definition in the code. Conversely, function expressions and arrow
functions must be defined prior to their invocation to avoid errors.

Example
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 37/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

1 // Function declaration
2 hoistedFunction(); // Works fine
3 function hoistedFunction() {
4 console.log('This function is hoisted');
5 }
6
7 // Function expression
8 nonHoistedFunction(); // Throws an error
9 var nonHoistedFunction = function () {
10 console.log('This function is not hoisted');
11 };

Explore the concept of hoisting with regards to functions on GreatFrontEnd

36. How Does Inheritance Work in ES2015 Classes?


In ES2015, JavaScript introduces the class syntax with the extends keyword, enabling one
class to inherit properties and methods from another. The super keyword is used to access
the parent class's constructor and methods.

Example
1 class Animal {
2 constructor(name) {
3 this.name = name;
4 }
5
6 speak() {
7 console.log(`${this.name} makes a noise.`);
8 }
9 }
10
11 class Dog extends Animal {
12 constructor(name, breed) {
13 super(name);
14 this.breed = breed;
15 }
16

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 38/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

17 speak() {
18 console.log(`${this.name} barks.`);
19 }
20 }
21
22 const dog = new Dog('Rex', 'German Shepherd');
23 dog.speak(); // Output: Rex barks.

In this example, the Dog class inherits from the Animal class, demonstrating how classes
facilitate inheritance and method overriding in JavaScript.
Explore the concept of inheritance in ES2015 classes on GreatFrontEnd

37. What is Lexical Scoping?


Lexical scoping in JavaScript determines how variable names are resolved based on their
location within the source code. Nested functions have access to variables from their parent
scopes, enabling them to utilize and manipulate these variables.

Example
1 function outerFunction() {
2 let outerVariable = 'I am outside!';
3
4 function innerFunction() {
5 console.log(outerVariable); // 'I am outside!'
6 }
7
8 innerFunction();
9 }
10
11 outerFunction();

In this scenario, innerFunction can access outerVariable because of lexical scoping rules,
which allow inner functions to access variables defined in their outer scope.
Explore the concept of lexical scoping on GreatFrontEnd
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 39/55
38. What is Scope in JavaScript?
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Scope in JavaScript defines the accessibility of variables and functions in different parts of the
code. There are three primary types of scope:
1. Global Scope: Variables declared outside any function or block are accessible throughout
the entire code.
2. Function Scope: Variables declared within a function are accessible only within that
function.
3. Block Scope: Introduced in ES6, variables declared with let or const within a block
(e.g., within {} ) are accessible only within that block.

Example
1 // Global scope
2 var globalVar = 'I am global';
3
4 function myFunction() {
5 // Function scope
6 var functionVar = 'I am in a function';
7
8 if (true) {
9 // Block scope
10 let blockVar = 'I am in a block';
11 console.log(blockVar); // Accessible here
12 }
13
14 // console.log(blockVar); // Throws an error
15 }
16
17 console.log(globalVar); // Accessible here
18 // console.log(functionVar); // Throws an error

In this example, globalVar is accessible globally, functionVar is confined to myFunction ,


and blockVar is restricted to the if block.
Explore the concept of scope in JavaScript on GreatFrontEnd

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 40/55
39. What is the Spread Operator and How is it Used?
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

The spread operator ( ... ) in JavaScript allows iterable elements (like arrays or objects) to be
expanded into individual elements. It's versatile and can be used for copying, merging, and
passing array elements as function arguments.

Examples
1 // Copying an array
2 const arr1 = [1, 2, 3];
3 const arr2 = [...arr1];
4
5 // Merging arrays
6 const arr3 = [4, 5, 6];
7 const mergedArray = [...arr1, ...arr3];
8
9 // Copying an object
10 const obj1 = { a: 1, b: 2 };
11 const obj2 = { ...obj1 };
12
13 // Merging objects
14 const obj3 = { c: 3, d: 4 };
15 const mergedObject = { ...obj1, ...obj3 };
16
17 // Passing array elements as function arguments
18 const sum = (x, y, z) => x + y + z;
19 const numbers = [1, 2, 3];
20 console.log(sum(...numbers)); // Output: 6

The spread operator simplifies operations such as copying arrays or objects, merging multiple
arrays or objects into one, and spreading elements of an array as individual arguments to
functions.
Explore the concept of the spread operator and its uses on GreatFrontEnd

40. How Does this Binding Work in Event Handlers?


https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 41/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

In JavaScript, the this keyword refers to the object that is executing the current piece of
code. Within event handlers, this typically points to the DOM element that triggered the
event. However, its value can change depending on how the handler is defined and invoked.
To ensure this references the intended context, techniques like using bind() , arrow
functions, or explicitly setting the context are employed.
These methods help maintain the correct reference for this within event handling functions,
ensuring consistent and predictable behavior across various event-driven scenarios in
JavaScript applications.
Explore the concept of this binding in event handlers on GreatFrontEnd

41. What is a Block Formatting Context (BFC) and How


Does It Function?
A Block Formatting Context (BFC) is a pivotal concept in CSS that influences how block-level
elements are rendered and interact on a webpage. It creates an isolated environment where
block boxes are laid out, ensuring that elements like floats, absolutely positioned elements,
inline-blocks , table-cells , table-captions , and those with an overflow value other
than visible (except when propagated to the viewport) establish a new BFC.
Grasping how to initiate a BFC is essential because, without it, the containing box might fail to
encompass floated child elements. This issue is akin to collapsing margins but is often more
deceptive, causing entire boxes to collapse unexpectedly.
A BFC is formed when an HTML box satisfies at least one of the following criteria:
The float property is set to a value other than none .
The position property is assigned a value that is neither static nor relative .
The display property is set to table-cell , table-caption , inline-block , flex ,
inline-flex , grid , or inline-grid .

The overflow property is set to a value other than visible .


Within a BFC, each box's left outer edge aligns with the left edge of its containing block (or the
right edge in right-to-left layouts). Additionally, vertical margins between adjacent block-level
boxes within a BFC collapse into a single margin.
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 42/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Discover Block Formatting Context (BFC) and its Operation on GreatFrontEnd

42. What is z-index and How is a Stacking Context


Created?
The z-index property in CSS manages the vertical stacking order of overlapping elements. It
only influences positioned elements—those with a position value other than static —and
their descendants or flex items.
In the absence of a z-index value, elements stack based on their order in the Document
Object Model (DOM), with elements appearing later in the HTML markup rendered on top of
earlier ones at the same hierarchy level. Positioned elements (those with non-static
positioning) and their children will always overlay elements with default static positioning,
regardless of their order in the HTML structure.
A stacking context is essentially a group of elements that share a common stacking order.
Within a local stacking context, the z-index values of child elements are relative to that
context rather than the entire document. Elements outside of this context—such as sibling
elements of a local stacking context—cannot interpose between layers within it. For instance,
if element B overlays element A, a child of element A, element C, cannot surpass element B in
the stacking order even if it has a higher z-index than element B.
Each stacking context operates independently; after stacking its child elements, the entire
context is treated as a single entity within the parent stacking context's order. Certain CSS
properties, like an opacity less than 1, a filter that isn't none , or a transform that isn't
none , can trigger the creation of a new stacking context.

Learn about z-index and Stacking Contexts on GreatFrontEnd

43. How Does a Browser Match Elements to a CSS


Selector?
This topic relates to writing efficient CSS, specifically how browsers interpret and apply CSS
selectors. Browsers process selectors from right to left, starting with the most specific (the
key selector) and moving outward. They first identify all elements that match the rightmost
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 43/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

part of the selector and then traverse up the DOM tree to verify if those elements meet the
remaining parts of the selector.
For example, consider the selector p span . Browsers will first locate all <span> elements
and then check each span's ancestor chain to determine if it is within a <p> element. Once a
<p> ancestor is found for a given <span> , the browser confirms that the <span> matches
the selector and ceases further traversal for that element.
The efficiency of selector matching is influenced by the length of the selector chain—the
shorter the chain, the quicker the browser can verify matches.
Understand How Browsers Match CSS Selectors on GreatFrontEnd

44. What is the Box Model in CSS and How Can You
Control Its Rendering?
The CSS box model is a fundamental concept that describes the rectangular boxes generated
for elements in the document tree, determining how they are laid out and displayed. Each box
comprises a content area (such as text or images) surrounded by optional padding , border ,
and margin areas.
The box model is responsible for calculating:
The total space a block element occupies.
Whether borders and margins overlap or collapse.
The overall dimensions of a box.

Box Model Rules


Dimensions Calculation: A block element's size is determined by its width , height ,
padding , and border .

Automatic Height: If no height is specified, a block element's height adjusts to its


content plus padding (unless floats are involved).
Automatic Width: If no width is set, a non-floated block element expands to fit its
parent's width minus padding , unless a max-width is specified.
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 44/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Certain block-level elements like table , figure , and input have inherent width
values and may not expand fully.
Inline elements like span do not have a default width and will not expand to fit.
Content Dimensions: An element's height and width are determined by its content.
Box-Sizing: By default ( box-sizing: content-box ), padding and border are not
included in an element's width and height .
Note: Margins do not contribute to the actual size of the box; they affect the space outside
the box. The box's area is confined to the border and does not extend into the margin .

Additional Considerations
Understanding the box-sizing property is crucial as it alters how an element's height and
width are calculated.

box-sizing: content-box : The default behavior where only the content size is
considered.
box-sizing: border-box : Includes padding and border in the element's total width
and height , excluding margin .
Many CSS frameworks adopt box-sizing: border-box globally for a more intuitive sizing
approach.
Explore the Box Model and Its Control in CSS on GreatFrontEnd

45. How Do You Utilize the CSS display Property?


Provide Examples.
The display property in CSS dictates how an element is rendered in the document flow.
Common values include none , block , inline , inline-block , flex , grid , table ,
table-row , table-cell , and list-item .

Description:
none

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 45/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Hides the element; it does not occupy any space in the layout. All child elements are also
hidden. The element is treated as if it does not exist in the DOM.
block

The element occupies the full width available, starting on a new line.
inline

The element does not start on a new line and only occupies as much width as necessary.
inline-block

Combines characteristics of both inline and block . The element flows with text but can
have width and height set.
flex

Defines the element as a flex container, enabling the use of flexbox layout for its children.
grid

Defines the element as a grid container, allowing for grid-based layout of its children.
table

Makes the element behave like a <table> element.


table-row

Makes the element behave like a <tr> (table row) element.


table-cell

Makes the element behave like a <td> (table cell) element.

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 46/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

list-item

Makes the element behave like a <li> (list item) element, enabling list-specific styling such
as list-style-type and list-style-position .
For a comprehensive list of display property values, refer to the CSS Display | MDN.
Understand the CSS display Property with Examples on GreatFrontEnd

46. How Do relative , fixed , absolute , sticky , and


static Positioning Differ?
In CSS, an element's positioning is determined by its position property, which can be set to
relative , fixed , absolute , sticky , or static . Here's how each behaves:

static : The default positioning. Elements flow naturally within the document. The top ,
right , bottom , left , and z-index properties have no effect.

relative : The element is positioned relative to its normal position. Adjustments using
top , right , bottom , or left move the element without affecting the layout of
surrounding elements, leaving a gap where it would have been.
absolute : The element is removed from the normal document flow and positioned
relative to its nearest positioned ancestor (an ancestor with a position other than
static ). If no such ancestor exists, it positions relative to the initial containing block.
Absolutely positioned elements do not affect the position of other elements and can have
width and height specified.

fixed : Similar to absolute , but the element is positioned relative to the viewport,
meaning it stays in the same place even when the page is scrolled.
sticky : A hybrid of relative and fixed . The element behaves like relative until it
crosses a specified threshold (e.g., scroll position), after which it behaves like fixed ,
sticking to its position within its parent container.
Understanding these positioning schemes is vital for controlling the layout and behavior of
elements, especially in responsive and dynamic designs.
Learn About Positioning Schemes in CSS on GreatFrontEnd
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 47/55
47. What Should You Consider When Designing for
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Multilingual Websites?
Designing and developing for multilingual websites involves various considerations to ensure
accessibility and usability across different languages and cultures. This process is part of
internationalization (i18n).

Search Engine Optimization (SEO)


Language Attribute: Use the lang attribute on the <html> tag to specify the page's
language.
Locale in URLs: Include locale identifiers in URLs (e.g., en_US , zh_CN ).
Alternate Links: Utilize <link rel="alternate" hreflang="other_locale"
href="url_for_other_locale"> to inform search engines about alternate language
versions of the page.
Fallback Pages: Provide a fallback page for unmatched languages using <link
rel="alternate" href="url_for_fallback" hreflang="x-default" /> .

Locale vs. Language


Locale: Controls regional settings like number formats, dates, and times, which may vary
within a language.
Language Variations: Recognize that widely spoken languages have different dialects and
regional variations (e.g., en-US vs. en-GB , zh-CN vs. zh-TW ).

Locale Prediction and Flexibility


Automatic Detection: Servers can detect a visitor's locale using HTTP Accept-Language
headers and IP addresses.
User Control: Allow users to easily change their preferred language and locale settings to
account for inaccuracies in automatic detection.

Text Length and Layout

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 48/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Variable Lengths: Be aware that translations can alter text length, potentially affecting
layout and causing overflow issues.
Design Flexibility: Avoid rigid designs that cannot accommodate varying text lengths,
especially for headings, labels, and buttons.

Reading Direction
Left-to-Right (LTR) vs. Right-to-Left (RTL): Accommodate different text directions, such
as Hebrew and Arabic, by designing flexible layouts that can adapt to both LTR and RTL
orientations.

Avoid Concatenating Translated Strings


Dynamic Content: Instead of concatenating strings (e.g., "The date today is " +
date ), use template strings with parameter substitution to accommodate different
grammar structures across languages.
Example:

1 // English
2 const message = `I will travel on ${date}`;
3
4 // Chinese
5 const message = ` ${date} `;

Formatting Dates and Currencies


Regional Formats: Adapt date and currency formats to match regional conventions (e.g.,
"May 31, 2012" in the U.S. vs. "31 May 2012" in Europe).

Text in Images
Scalability Issues: Avoid embedding text within images, as it complicates translation and
accessibility. Use text elements styled with CSS instead to allow for easier localization.

Cultural Perceptions of Color


https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 49/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Color Sensitivity: Be mindful that colors can carry different meanings and emotions across
cultures. Choose color schemes that are culturally appropriate and inclusive.
Understand Multilingual Design Considerations on GreatFrontEnd

48. How Do block , inline , and inline-block Display


Types Differ?
The property in CSS determines how elements are rendered on the page. The
display
block , inline , and inline-block values have distinct behaviors and use cases:

Property block inline-block inline

Size Fills up the width Depends on Depends on content.


of its parent content.
container.

Positioning Start on a new Flows along with Flows along with other
line and tolerates other content and content and allows other
no HTML allows other elements beside it.
elements next to elements beside it.
it (except when
you add float )
Can specify Yes Yes No. Will ignore if being
width and set.
height

Can be No Yes Yes


aligned with
vertical-

align

Margins and All sides All sides Only horizontal sides


paddings respected. respected. respected. Vertical sides,
if specified, do not affect
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 50/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Property block inline-block inline

layout. Vertical space it


takes up depends on
line-height , even though

the border and padding


appear visually around the
content.
Float - - Becomes like a block
element where you can
set vertical margins and
paddings.
Use Cases Layout elements Used for buttons, Links <a> , text formatting
like <div> , <p> , images, and form <span> , text styling - bold

<section> . fields that need <b> , italics <i> .

custom sizes but


stay in line with
text.

Learn the Differences Between block , inline , and inline-block on GreatFrontEnd

49. When Would You Prefer translate() Over Absolute


Positioning, or Vice Versa?
The translate() function is a part of the CSS transform property and offers a different
approach to positioning compared to absolute positioning. Here's why you might choose one
over the other:
Using translate() :
Flow Preservation: Elements remain in their original position within the document flow,
similar to position: relative .
Performance Benefits: Modifying transform or opacity does not trigger browser
reflows or repaints; instead, it initiates a composition layer. This results in smoother
and more efficient animations, as translate() leverages the GPU for rendering.

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 51/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Layout Stability: The surrounding layout remains unaffected since the element's
space is preserved.

.element {
transform: translateX(50px);
}

Using absolute Positioning:


Flow Removal: The element is taken out of the normal document flow, and its position
is calculated relative to the nearest positioned ancestor or the viewport.
Reflow Trigger: Changing an element's absolute position can cause the browser to
recalculate the layout (reflow), which is more CPU-intensive.
Overlapping Control: Useful for precise placement of elements without affecting other
elements' positions.

1 .element {
2 position: absolute;
3 top: 20px;
4 left: 30px;
5 }

Why Choose translate() ?


For animations and dynamic movements where performance and smoothness are critical,
translate() is more efficient. It avoids the costly reflows associated with changing layout-
affecting properties like top and left .
Why Choose absolute Positioning?
When you need to position elements precisely without regard to their original place in the
document flow, absolute positioning is the way to go. It's essential for creating overlays,
modals, and tooltips that need to appear in specific locations on the screen.
Understand When to Use translate() vs. Absolute Positioning on GreatFrontEnd

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 52/55
50. What Does * { box-sizing: border-box; } Do and
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

What Are Its Advantages?


Applying * { box-sizing: border-box; } in your CSS ensures that all elements on the page
use the border-box model for calculating their width and height .

What It Does
By default, elements use box-sizing: content-box , where the width and height only
account for the content area. When you set box-sizing: border-box , the width and
height properties include the element's padding and border , but not the margin .

Comparison Table
Property box-sizing: content-box (default) box-sizing: border-box

content Yes Yes


padding No Yes
border No Yes
margin No No

Advantages
Intuitive Sizing: Including padding and border within the width and height makes it
easier to calculate the size of elements, aligning more closely with designers'
expectations.
Simplified Layouts: Prevents unexpected sizing issues, especially when adding padding
or border to elements, as it doesn't alter the total size.
Consistency Across Frameworks: Many CSS frameworks like Bootstrap, Tailwind, and
Bulma set box-sizing: border-box globally to maintain consistency and predictability in
element sizing.

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 53/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Explore What * { box-sizing: border-box; } Does and Its Benefits on GreatFrontEnd

Conclusion
Congratulations on reaching the end of our comprehensive collection of HTML, CSS, and
JavaScript interview questions and answers! We hope this resource has equipped you with the
confidence and skills needed to excel in your upcoming interviews. Remember, consistent
practice is essential, so keep coding and revisiting these concepts until they become second
nature.

Copy link Share

← Previous Next →
50 Must-know JavaScript Interview Top 30 React js Interview Questions and
Questions by Ex-interviewers Answers to Get Hired in 2025

Subscribe to our newsletter


Enter your email Notify me

Practice Study Plans


Get started 1 Week Plan
JavaScript functions 1 Month Plan
User interface coding 3 Months Plan
System design
Quiz Company
Pricing
https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 54/55
11/06/2025, 18:53 50 Must-know HTML, CSS and JavaScript Interview Questions by Ex-interviewers | Blog

Guides Roadmap
Front End Interview Playbook About
Front End System Design Playbook Team
React Interview Playbook Contact us
Behavioral Interview Playbook Advertise with us New
Become an affiliate
Careers
Blog
Medium
DEV Community

English (US)
© 2025 Codeney Pte Ltd. All rights reserved. Privacy Policy Terms of Service

https://www.greatfrontend.com/blog/50-must-know-html-css-and-javascript-interview-questions-by-ex-interviewers 55/55

You might also like