Code snippet examples which will help to grasp the concept of Hoisting in JavaScript, with solutions to understand how it works behind the scene.
Alok Kumar Giri
Last Updated Jun 2, 2025
Understanding hoisting in JavaScript is important to understand how the variables and function scope behave in different scenarios. There are different scenarios where hoisting behaves differently than anticipated, which makes hoisting a favourite topic for Frontend Interviews.
In this post, we have curated 5 examples with detailed explanations which cover important scenarios to understand hoisting in depth. 👇
Jump to the examples
var foo = 'LION';
function showName(){
foo = 'PANDA';
return;
function foo(){};
};
showName(); // Guess o/p
console.log(foo); // Guess o/p
In Memory phase
function showName(){ // Function declaration is hoisted to the top of their scope with its entire function body. Since showName() is in the global scope, it’s hoisted to the top of the global scope.
function foo(){}; // As mentioned above, it is hoisted to the top its scope. In this case, in the function scope showName() along with its entire function body. So, foo becomes the local variable of type 'function'.
foo = 'PANDA';
return;
};
var foo = undefined; // Only the declaration of 'var' is attached to the global scope with default initialization to 'undefined'.
Note: "During hoisting, JavaScript places function declarations like function showName() { ... }
in memory before any var
declarations, even if the var
appears earlier in the source code."
In the Execution Phase
showName(); // Runs, but only changes local `foo` to PANDA
console.log(foo); // LION
Explanation:
foo(){}
as hoisted to the top of its function body, will be overridden by the next line's foo variable with value 'PANDA', this foo becomes a local variable. Thus, on the console, we see 'LION' for foo.Guess the output of the code snippet below
console.log(a); // Guess o/p
console.log(b); // Guess o/p
console.log(c); // Guess o/p
var a = 10;
let b = 20;
const c = 30;
The code will undergo two phases:
In Memory Phase
a
(declared with var
) is hoisted and initialized to undefined
.
b
(with let
) is hoisted but in TDZ(Temporal Dead Zone) (not initialized yet).
c
(with const
) is hoisted but in TDZ (not initialised yet).
In the Execution Phase
/*
Output: undefined → Because a is hoisted and initialised to undefined.
*/
console.log(a);
/*
Output: Throws ReferenceError → b is in the Temporal Dead Zone (TDZ),
so any access before declaration throws a ReferenceError.
*/
console.log(b);
/*
Never Executed as console.log(b) already throws the ReferenceError,
but if console.log(b) is commented, then this too shall throw ReferenceError → c is in the Temporal Dead Zone (TDZ).
*/
console.log(c); //
var a = 10;
let b = 20;
const c = 30;
Notes:
The Temporal Dead Zone is the period between: When a let
or const
variable is hoisted to the top of its scope and when the variable is actually declared (initialized) in the code. During this time, the variable exists in memory, but you cannot access it — doing so will throw a ReferenceError.
Guess the output of the code snippet below:
greet(); // Guess the O/P
shout(); // Guess the O/P
whisper(); // Guess the O/P
function greet() {
console.log("Hello from greet()");
}
var shout = () => {
console.log("Hello from shout()");
};
let whisper = () => {
console.log("Hello from whisper()");
};
// A function declared as a function declaration, the entire function is hoisted to the top of the scope.
greet → function() { console.log("Hello from greet()") }
// As this function is declared using 'var'
shout → undefined
// As declared using 'let'
whisper → TDZ (not initialized yet)
In the Execution Phase
/*
✅ Output: Hello from greet()
*/
greet();
/*
❌ TypeError: shout is not a function →
This would NOT be hoisted the same way — only the greet variable would be hoisted as 'undefined',
not the function body. So calling greet() before this line would give you a TypeError.
*/
shout();
/*
Never Executed as shout() shall throw an error before but if shout() is commented,
then → ❌ ReferenceError: Cannot access 'whisper' before initialization
*/
whisper();
function greet() {
console.log("Hello from greet()");
}
var shout = () => {
console.log("Hello from shout()");
};
let whisper = () => {
console.log("Hello from whisper()");
};
Guess the output of the code snippet below:
console.log(myObjA.sayHello()); // Guess the O/p
console.log(myObjB.sayHello()); // Guess the O/p
var myObjA = {
sayHello: function () {
return "Hello!";
}
};
const myObjB = {
sayHello: function () {
return "Hello!";
}
};
myObjA = undefined
var myObj is hoisted and initialized with 'undefined'. Here, the object literal { sayHello: function() { ... } } is not assigned yet. Therefore, no function named sayHello exists independently in memory.
myObjB is in TDZ (Temporal Dead Zone)
const and let variables go into the Temporal Dead Zone (TDZ) — they’re not accessible until the engine reaches the declaration line.
/*
❌ TypeError: myObjA.sayHello is not a function.
When JS engine sees console.log(myObj.sayHello()),
myObjA is 'undefined' at that point (assignment hasn’t happened yet)
and thus, trying to access sayHello from undefined throws an error.
*/
console.log(myObjA.sayHello());
/*
❌ ReferenceError: Cannot access 'myObjB' before initialization.
When JS engine tries to run:
*/
console.log(myObjB.sayHello());
/*
Since myObjB is still in the TDZ, a ReferenceError is thrown.
*/
console.log(myObjB.sayHello())
var myObjA = {
sayHello: function () {
return "Hello!";
}
};
const myObjB = {
sayHello: function () {
return "Hello!";
}
};
var globalVar = "I am Global";
function outerFunction() {
var outerVar = "I am Outer";
function innerFunction() {
console.log(globalVar); // Guess the O/P
console.log(outerVar); // Guess the O/P
}
innerFunction();
}
outerFunction();
globalVar is declared and initialized with 'undefined'.
outerFunction
being a 'function declaration' is hoisted as a complete function (its definition is available in memory)outerFunction
, outerVar
and innerFunction
are prepared in memory when outerFunction
gets invoked (not before).outerVar
→ 'undefined' initially (before outerFunction's code runs)innerFunction
→ whole function stored (just like normal function hoisting inside a function).outerFunction()
is called.Inside outerFunction
:
outerVar
is assigned "I am Outer"
.
innerFunction
is called.
Inside innerFunction
:
It looks for globalVar
. Not found inside itself → goes to outer scopes → finds it in global → logs "I am Global"
.
It looks for outerVar
. Found in outerFunction
's local memory → logs "I am Outer"
.
var globalVar = "I am Global";
function outerFunction() {
var outerVar = "I am Outer";
function innerFunction() {
console.log(globalVar); // I am Global
console.log(outerVar); // I am Outer
}
innerFunction();
}
outerFunction();
Advertisement
Advertisement
Vijay Sai Krishna vsuri
Last Updated Aug 21, 2025
A Quick guide about popstate event in JavaScript, If you’ve ever hit the back button in your browser and wondered how your Single-Page Application knows which view to render, this guide is for you.
Anuj Sharma
Last Updated Oct 2, 2025
Explore Polyfill for map, filter and reduce array methods in JavaScript. A detailed explanation of Map, filter and reduce polyfills in JS helps you to know the internal working of these array methods.
Anuj Sharma
Last Updated Aug 3, 2025
Explore the implementation of setTimeout in JavaScript with a detailed explanation for every step. Understand all scenarios expected to implement the setTimeout polyfill.
Anuj Sharma
Last Updated Oct 13, 2025
Understand the step-by-step implementation of Infinite Currying Multiplication in JavaScript with a code example.
Frontendgeek
Last Updated Sep 25, 2025
Understand the JWT(JSON Web Token) and how JWT decode works. It also covers how the end-to-end JWT authentication works between client & server, along with the pros and cons of using JWT.
Anuj Sharma
Last Updated Oct 4, 2025
Understand polyfill for Async Await in JavaScript with a step-by-step explanation. This helps in understanding the internal functioning of Async Await in JavaScript.
Subscribe to FrontendGeek Hub for the frontend interview preparation, interview experiences, curated resources and roadmaps.
© 2024 FrontendGeek. All rights reserved