Understanding JavaScript Variables and Memory Management: A Complete Guide 🚀

Alok YadavAlok Yadav
8 min read

Introduction

Imagine you are organizing a workspace as a frontend developer. You need places to store different things – some items that change often, some that stay the same, and others that may get replaced. In JavaScript, data types and variables help us store and manage data efficiently.

By the end of this guide, you will fully understand how var, let, and const work and how JavaScript handles memory. Whether you are a complete beginner or someone who wants to clear up concepts, this blog will make it super simple for you!


What is a Variable?

A variable is like a container that holds data. You can store a number, text, or even an entire list in it.

Think about your desk:

  • A drawer holds different items (numbers, text, etc.).

  • You can label it (name the variable).

  • You can change what's inside when needed.

Declaring Variables in JavaScript

JavaScript gives us three ways to declare variables:

  • var (old way, not recommended)

  • let (modern, flexible way)

  • const (for values that never change)

Let’s see how they work with real examples.


Understanding var, let, and const

1️⃣ var (Old Way, Avoid It!)

Before 2015, JavaScript only had var. But it has issues. It behaves in unexpected ways, which can cause bugs.

Example:

var name = "Alok"; // Declaring a variable
console.log(name);  // Output: Alok

var name = "Frontend Dev"; // Re-declaring the variable
console.log(name);  // Output: Frontend Dev

Why should you avoid var?

  • It allows redeclaring the same variable.

  • It does not respect block scope (explained below).

2️⃣ let (Use This for Changeable Data)

let solves var problems. It allows reassigning a value but not redeclaring it.

Example:

let role = "Frontend Developer";
role = "Full Stack Developer"; // Allowed
console.log(role); // Output: Full Stack Developer

// let role = "Designer"; ❌ Error: Cannot redeclare

Why use let?

  • It respects block scope (only available inside {} where declared).

  • It does not allow redeclaration.

3️⃣ const (Use This for Fixed Data)

const is for values that should never change.

Example:

const myName = "Alok Yadav";
console.log(myName); // Output: Alok Yadav

// myName = "Someone Else"; ❌ Error: Cannot reassign

Why use const?

  • It cannot be reassigned.

  • It makes code more predictable.


Scope: Where Can You Use Variables?

Scope determines where a variable is accessible within your code. Think of it like different rooms in a house—some things are accessible everywhere, while others are limited to specific rooms.

Global Scope

A variable declared outside any function or block is available everywhere in the script.

let globalVar = "I am global!";
function show() {
  console.log(globalVar); // ✅ Accessible
}
show();
console.log(globalVar); // ✅ Accessible

Block Scope (let & const)

Variables declared inside {} are only accessible inside that block.

if (true) {
  let blockVar = "Inside Block";
  console.log(blockVar); // ✅ Accessible
}
console.log(blockVar); // ❌ Error: Not Accessible

Why does this happen?

  • let and const are only available inside the {} where they were declared.

  • They disappear once the block execution is complete.

Function Scope (var)

Unlike let and const, var is function-scoped, meaning it is only accessible within the function where it is declared.

function test() {
  var testVar = "Inside function";
  console.log(testVar); // ✅ Accessible
}
test();
console.log(testVar); // ❌ Error: Not Accessible

Key Takeaways:

  • var variables do not respect block scope, meaning they might cause unexpected behavior.

  • They are only confined within the function where they were declared.

  • Using let or const prevents such issues and keeps your code cleaner.


Memory Management in JavaScript – Stack vs Heap

Now that we know about variables, let’s understand how JavaScript handles memory management behind the scenes.

Whenever you create a variable or an object, JavaScript needs to store it somewhere in the computer’s memory. This is done using two types of memory storage:

1️⃣ Stack Memory (For Primitive Data Types)

Think of stack memory like a stack of plates. It follows the Last In, First Out (LIFO) principle, meaning the last added item is the first to be removed.

  • Fast & automatically managed (no need to manually allocate or deallocate memory).

  • Stores primitive data types like numbers, strings, booleans, null, undefined, bigint, and symbol.

  • Each variable gets a copy of the value (not a reference).

🛠 Example – Stack Memory:

let a = 10;  // Stored in Stack
let b = a;   // Copying value (not reference)

a = 20;      // Changing 'a' does NOT affect 'b'
console.log(b); // Output: 10

Explanation:

  • a = 10 is stored in the stack.

  • b = a creates a copy of a, so b has its own separate memory location.

  • When we change a to 20, b remains 10 because they are independent copies.


2️⃣ Heap Memory (For Reference Data Types)

Unlike the stack, heap memory is like a big storage warehouse where objects and arrays are kept.

  • Stores reference (non-primitive) data types like objects, arrays, and functions.

  • Values are stored in memory, and variables hold references (memory addresses) to them.

  • Changes made to one reference affect all other references.

🛠 Example – Heap Memory:

let user1 = { name: "Alok", age: 25 }; // Stored in Heap
let user2 = user1; // Both user1 and user2 point to the same object

user1.age = 30; // Modifying user1 also affects user2

console.log(user2.age); // Output: 30

Explanation:

  • user1 is an object stored in the heap.

  • user2 = user1 doesn’t copy the object; it copies the reference (memory address).

  • When we change user1.age, user2 also reflects the change because they both reference the same memory location.


🔹 Stack vs Heap – Key Differences

FeatureStack (Primitives)Heap (Objects, Arrays)
Storage TypeStores values directlyStores references to values
Data Typesnumber, string, boolean, etc.object, array, function
Copying BehaviorCreates a new copyCopies the reference
SpeedFastSlower (because it involves pointers)
Memory ManagementAutomatically removed after function executionNeeds Garbage Collection

🧹 Garbage Collection – Cleaning Up Memory

Since heap memory stores objects, we need to remove unused objects to prevent memory leaks. JavaScript automatically does this using a technique called Garbage Collection.

🔹 How does it work?

  • JavaScript has a Garbage Collector that removes objects no longer referenced in the code.

  • If an object is not reachable, it is deleted from memory.

🛠 Example – Garbage Collection

let person = { name: "Alok" }; // Object created in heap
person = null; // The object is now unreferenced

// JavaScript's garbage collector removes it from memory

Explanation:

  • Initially, person holds a reference to an object in the heap.

  • When we set person = null, it loses reference to the object.

  • The JavaScript Garbage Collector removes the unused object to free up memory.


🔥 Key Takeaways 🎯

Use let & const instead of var for better scoping and avoiding unexpected behavior.
Primitive types (string, number, boolean, etc.) are stored directly in memory (stack).
Reference types (objects, arrays, functions) are stored in the heap, and variables hold references.
null vs. undefined: null represents an intentional absence of value, while undefined means a variable is declared but not assigned.
Objects declared with const can have their properties modified, but their reference cannot change.
Hoisting in JavaScript affects var, let, and const differently—understanding this prevents common pitfalls.


Conclusion

Understanding var, let, and const is crucial for writing bug-free JavaScript code. Use:

  • let for variables that change.

  • const for values that never change.

  • ❌ Avoid var due to scoping issues.

Also, keep memory in mind:

  • Stack for simple values (copy by value)

  • Heap for objects (copy by reference)

By mastering these concepts, you are on your way to writing clean and efficient JavaScript code! 🚀


🔥 Top JavaScript Interview Questions

1️⃣ What are the different data types in JavaScript, and how are they categorized?

2️⃣ What is the difference between null and undefined?

3️⃣ How are primitive and reference data types stored in memory?

4️⃣ What is the difference between let, const, and var? When should you use each?

5️⃣ What is hoisting in JavaScript? How does it affect variable declarations (var, let, const)?

6️⃣ Can objects declared with const be modified? Explain with an example.


🚀 Up Next: Mastering Scope & Closures in JavaScript!

The next blog post, "Mastering Scope & Closures in JavaScript," will be dropping soon! 🚀 Make sure to follow this series on Hashnode and stay updated.

I’d love to hear your thoughts! If there’s anything specific you’d like covered or any questions you have, drop a comment or reach out. Let’s explore JavaScript together and level up our coding skills! 💡💻

🔗 Stay connected on LinkedIn for updates, discussions, and deep dives into JavaScript concepts. Let’s learn, grow, and crack JavaScript interviews together! 🚀

0
Subscribe to my newsletter

Read articles from Alok Yadav directly inside your inbox. Subscribe to the newsletter, and don't miss out.

Written by

Alok Yadav
Alok Yadav