Understanding Object-Oriented Programming in JavaScript
data:image/s3,"s3://crabby-images/b5639/b5639ead3a2c8d7d1b555ffbbb8622b11b5ebe13" alt="Soumadip Majila"
Table of contents
- The Four Pillars of OOP
- OOP in JavaScript
- Constructor
- How new Works
- The this Keyword in JavaScript
- call, apply, and bind Methods
- What Is Prototype in JavaScript?
- Prototype Chain
- __proto__ Property
- Object.create()
- Static Keyword in JavaScript
- Encapsulation and Data Security in JavaScript Classes
- Getter and Setter Methods
- Prototype Inheritance with Constructor Functions
- Prototype Inheritance with ES6 Classes
- How JavaScript OOP Differs from Languages like Java and C++
- Conclusion
- Wrapping Up
data:image/s3,"s3://crabby-images/8b7b5/8b7b5f1b269f6feecb36fef4b17d18b8198c3f53" alt=""
Object-Oriented Programming (OOP) is a paradigm that organizes code by modeling real-world entities as objects. While JavaScript is prototype-based, it fully supports OOP principles through classes, prototypes, and inheritance. This article explores how OOP works in JavaScript, its core concepts, and how it differs from classical OOP languages like Java or C++. Whether you're transitioning from classical OOP or deepening your JavaScript knowledge, understanding these principles is key to writing scalable, maintainable code.
The Four Pillars of OOP
OOP revolves around four core concepts:
Encapsulation
Bundles data and methods into a single unit (e.g., a class).Abstraction
Simplifies complex systems by exposing only essential features.Inheritance
Allows classes to inherit properties and methods from other classes.Polymorphism
Lets objects of different classes respond to the same method call in unique ways.
OOP in JavaScript
JavaScript supports OOP principles, allowing for the creation of classes, objects, and prototypes. There are three main ways to implement OOP in JavaScript:
Constructor Functions and Prototypes: A pre-ES6 method of creating objects and inheritance using functions and the
prototype
property.ES6 Classes: Modern JavaScript syntax to define classes, which internally use constructor functions and prototypes.
Classes
Classes serve as blueprints for real-life entities, defining their structure and behavior. When we talk about how entities "look," we're referring to their properties. When we discuss how they "behave," we mean the actions or methods that can be performed on them.
Note:
Classes are first-class citizens because they are just wrappers of functions.
Classes cannot be hoisted.
class NameOfTheClass {
// Details like member functions and data members go here
}
Objects
Objects are instances of classes and are created using the new
keyword in JavaScript. This process is distinct from other languages.
let iphone = new Product();
Object.create
: Allows creating a new object with a specified prototype.
Constructor
Every class in JavaScript includes a special method called a constructor. This method is automatically called when an object of the class is created. The constructor's default version is known as the default constructor, but you can provide your custom implementation.
class Product {
constructor() {
// This is your custom constructor
}
}
How new
Works
When you use new
, it follows a four-step process:
Creates a new, empty object.
Calls the class's constructor, passing the new object as
this
. This allows the constructor to usethis
to refer to the new object.Handles the necessary setup for prototypes (discussed later).
If the constructor explicitly returns an object, this object is assigned to the variable. If nothing or something other than an object is returned, the constructor ignores it.
The this
Keyword in JavaScript
In most cases, this
refers to the context in which it was called, known as the "call site." The call site can be an object, a position in the code, or the new
keyword. However, there is an exception when using arrow functions. In arrow functions, this
is lexically bound, meaning it refers to the scope in which the arrow function was defined, not the call site.
const obj = {
x: 10,
y: 20,
outerFn: function () {
const innerFn = () => {
console.log(this.x, this.y);
};
innerFn();
},
};
obj.outerFn();
In this code, this
inside the arrow function innerFn
is not determined by the function itself. Instead, it inherits this
from its surrounding scope, which is the outerFn
method. Since outerFn
is a regular function and this
within it refers to the obj
object, innerFn
also uses this
from the obj
object. As a result, console.log(this.x, this.y);
outputs 10 20
.
Note: The this
keyword does not point to the object where the method is created; it points to the object that is calling the method.
const ram = {
year: 1991,
name: 'Ram',
calcAge: function () {
console.log(`Age of ${this.name} is ${2037 - this.year}`);
},
};
const sam = {
year: 1992,
name: 'Sam',
};
ram.calcAge(); // Output: Age of Ram is 46 (this pointing to ram object)
sam.calcAge = ram.calcAge; // This is called object borrowing
sam.calcAge(); // Output: Age of Sam is 45 (this pointing to sam object)
In the above code, when ram.calcAge()
is called, this
refers to the ram
object. But when sam.calcAge()
is called after borrowing the method from ram
, this
refers to the sam
object.
call
, apply
, and bind
Methods
In JavaScript, call
, apply
, and bind
are three very useful methods that allow you to control the value of the this
keyword within a function.
call
:
The call
method allows you to explicitly set the value of this
inside a function. It invokes the function with a specific this
context and passes arguments individually.
const myObj = {
name: "Ram",
greet: function(welcomeMessage, location) {
console.log(`God ${this.name} ${welcomeMessage} to ${location}`);
}
};
const newObj = {
name: "Krishna"
};
myObj.greet.call(newObj, "Welcome", "Vrindavan");
// Output: God Krishna Welcome to Vrindavan
The call
method allows us to pass the first argument as the new this
context. If no object is passed, this
refers to the global object. You can pass function parameters after the this
reference.
apply
:
The apply
method is similar to call
, but it takes two arguments: 1. The object to which this
will refer. 2. An array of parameters to be passed to the function.
// Using apply to set `this` to newObj and passing arguments as an array
myObj.greet.apply(newObj, ["Welcome", "Vrindavan"]);
// Output: God Krishna Welcome to Vrindavan
bind
:
The bind
method is similar to call
, but it does not invoke the function immediately. Instead, it creates a new function with this
permanently bound to the specified value, allowing you to call this new function later.
// Create a new function with `this` bound to newObj
const boundGreet = myObj.greet.bind(newObj);
// Another bound function with one pre-set argument
const boundGreet2 = myObj.greet.bind(newObj, "came");
// Call the bound functions
boundGreet("Welcome", "Vrindavan"); // Output: God Krishna welcomes you to Vrindavan
boundGreet2("Dwarka Nagri"); // Output: God Krishna came to Dwarka Nagri
We also use bind
in situations where we want to call a method of an object that relies on this
, especially from an event listener. If we call the method directly, this
will refer to the element to which the event listener is attached.
const button = document.querySelector("button"); // Suppose a button in HTML
const myObj = {
name: "God Krishna",
greet: function(location) {
console.log(`${this.name} welcomes you to ${location}`);
}
};
// button.addEventListener("click", myObj.greet);
// This will throw an error because `this` points to the button element.
// Solution using bind
const boundGreetButton = myObj.greet.bind(myObj); // Bind the greet method to myObj
button.addEventListener('click', function() {
boundGreetButton('Vrindavan');
}); // Output: God Krishna welcomes you to Vrindavan
Note: Arrow functions do not work with call
, apply
, and bind
as they do not have their own this
. The this
context of arrow functions is lexically scoped based on where the arrow function is defined.
What Is Prototype in JavaScript?
In JavaScript, when your code runs, the language sets up a built-in capital Object
function in memory. Along with this function, an important unnamed object is created. This unnamed object isn't empty and contains essential JavaScript methods such as toString()
, isPrototypeOf()
, and valueOf()
. We can access this unnamed object through Object.prototype
.
console.log(Object.prototype);
// Output:
// {}
// constructor: ƒ Object()
// isPrototypeOf: ƒ isPrototypeOf()
// propertyIsEnumerable: ƒ propertyIsEnumerable()
// toString: ƒ toString()
// valueOf: ƒ valueOf()
// __proto__: null
// toLocaleString: ƒ toLocaleString()
// [[Prototype]]: null
This object also contains a special constructor()
function, which points back to the capital Object
function.
Object.prototype.constructor
// Output: ƒ Object() { [native code] }
When we define a function constructor or a class in JavaScript, an unnamed object is created automatically. This object can be accessed via {class/functionName}.prototype
.
Methods defined within a function constructor are not stored in the prototype by default, as everything is inside the constructor. If we want to add a function to the prototype, we need to explicitly assign it to the prototype of that function using FunctionName.prototype.methodName = function() {}
. In contrast, methods defined inside a class are stored in the prototype object automatically.
Additionally, this prototype includes a constructor()
function that points back to the corresponding class or function.
class Product {
display() {
console.log("Hello");
}
}
console.log("1st Output:", Product.prototype);
console.log("2nd Output:", Product.prototype.constructor);
// Output:
// 1st Output: { display: ƒ }
// 2nd Output: class Product {
// display() {
// console.log("Hello");
// }
// }
Finally, JavaScript links the class or function's prototype to Object.prototype
.
Prototype Chain
JavaScript links the class or function's prototype to Object.prototype
.
When we create an object from a class or function constructor using the new
keyword, an empty object is created, and the class's constructor is called. This constructor modifies the new object, and a hidden link is established between the object and the prototype of the class.
Thus, the object is linked to the class's prototype, which in turn is linked to Object.prototype
. This allows us to access methods from both prototypes. When you call a method from an object, JavaScript first checks if the method is defined on the object itself (via the constructor). If it isn't found, JavaScript looks for the method in the class's prototype, and if it's still not found, it searches in Object.prototype
.
This process of sharing methods between objects is known as prototyping.
Here is an example demonstrating the prototype chain:
// Define a class with a method
class ExampleClass {
display() {
return "Hello";
}
}
// Create an instance of ExampleClass
let e1 = new ExampleClass();
console.log(e1.display()); // Access method from the ExampleClass prototype
console.log(e1.toString()); // Access method from Object.prototype
// Define a function with a prototype method
function ExampleFunction() {}
ExampleFunction.prototype.display = function() {
return "Hello";
};
// Create an instance of ExampleFunction
let e2 = new ExampleFunction();
console.log(e2.display()); // Access method from the ExampleFunction prototype
console.log(e2.toString()); // Access method from Object.prototype
__proto__
Property
In JavaScript, every object has an internal property called [[Prototype]]
, which can be accessed using the __proto__
property. The __proto__
property refers to the object's prototype, allowing it to inherit properties and methods from its prototype chain. This chain links the object to its class's prototype and eventually to Object.prototype
.
let p = new Product();
console.log(p.__proto__); // Outputs Product.prototype
console.log(p.__proto__.__proto__); // Outputs Object.prototype
In this example, p.__proto__
points to Product.prototype
, and p.__proto__.__proto__
points to Object.prototype
. This property is also called dunder proto
.
Object.create()
In JavaScript, the Object.create()
method is used to create a new object with a specified prototype and optional properties. This is especially useful for setting up inheritance between objects.
Example:
const personProto = {
calcAge() {
console.log(2024 - this.birthYear);
},
init(firstName, birthYear) {
this.firstName = firstName;
this.birthYear = birthYear;
}
};
const rohit = Object.create(personProto);
rohit.init("Rohit", 1990);
rohit.calcAge(); // Output: 34
In this example, rohit
inherits methods from personProto
, allowing it to call calcAge()
and other methods defined in the prototype object.
Static
Keyword in JavaScript
The static
keyword in JavaScript is used to define methods or properties on a class that belong to the class itself, rather than instances of the class.
A common use case of the static
keyword is in the builder design pattern, where it is used to implement a builder getter function.
Here’s an example of how the static
keyword is used:
class Product {
// Static method
static getProductCategory() {
return "Electronics";
}
// Static property
static discountRate = 0.1;
constructor(name, price) {
this.name = name;
this.price = price;
console.log(`Accessing the static property: ${Product.discountRate}`);
}
}
// Accessing static method directly from the class
console.log(Product.getProductCategory()); // Output: "Electronics"
// Creating an instance of the Product class
const product1 = new Product("Laptop", 1500);
Encapsulation and Data Security in JavaScript Classes
In JavaScript, classes do not inherently protect data members from being accessed or modified outside of the class, which can violate the principle of encapsulation in Object-Oriented Programming (OOP).
Protected Fields
While JavaScript doesn’t provide true protected
fields, a common convention is to prefix a field with an underscore (_
) to indicate that it should be treated as "protected." Although this convention doesn’t enforce actual protection, it serves as a visual reminder for developers to avoid accessing or modifying these fields outside the class or its subclasses.
class Product {
_name;
_price;
_description;
displayProduct() {
console.log(this._name, this._price, this._description); // Intended for internal use
}
}
const item = new Product();
item._name = "Book"; // Still accessible outside the class, no true protection
Private Fields
To achieve genuine encapsulation and restrict access to within the class, JavaScript provides private fields. Private fields begin with a #
, restricting access exclusively to the class itself, thereby ensuring true encapsulation.
class Product {
#name;
#price;
#description;
displayProduct() {
console.log(this.#name, this.#price, this.#description); // Accessible inside the class
}
}
const item = new Product();
item.#name = "Book"; // Error: Private field '#name' must be declared in an enclosing class
By using private fields with the #
prefix, JavaScript enforces data security and prevents accidental or unauthorized access from outside the class.
Getter
and Setter
Methods
To manage access to these private members, getter and setter methods can be defined. These methods allow controlled read and write access, enabling validation and ensuring the integrity of the data.
class Product {
#price;
getPrice() {
return this.#price;
}
setPrice(p) {
if (p > 0) {
this.#price = p;
} else {
console.log("Invalid price");
}
}
}
let p = new Product();
p.setPrice(0); // Prints "Invalid price"
p.setPrice(500); // Sets the value of #price to 500
console.log(p.getPrice()); // Prints 500
Alternatively, the get
and set
keywords can be used to define getters and setters, making the syntax more concise and intuitive.
class Product {
#description;
get description() {
return this.#description;
}
set description(d) {
if (d.length === 0) {
console.log("Invalid description");
return;
}
this.#description = d;
}
}
const iphone = new Product();
iphone.description = "Something"; // Setter
console.log(iphone.description); // Getter --> Prints "Something"
Prototype Inheritance with Constructor Functions
Prototype inheritance allows us to create a chain between parent and child classes by linking their prototypes. When using constructor functions, we can achieve this linkage in two ways:
Using
__proto__
property:child.prototype.__proto__ = parent.prototype;
Using
Object.create()
:child.prototype = Object.create(parent.prototype);
The main difference between these two methods is observed when accessing child.prototype.constructor
. In the first method, it correctly refers to the child constructor function, while in the second method, it initially points to the parent constructor, and we need to manually set it back to the child.
In ES6 classes, the super
keyword is used to call the parent class’s constructor. However, in constructor functions, we can achieve a similar result by using call()
to explicitly invoke the parent constructor within the child constructor.
Example
Here’s an example demonstrating prototype inheritance between a parent Event
constructor and a child MovieEvent
constructor:
// Parent constructor function: Event
function Event(name, date) {
this.name = name;
this.date = date;
}
// Adding a method to the parent prototype to describe the event
Event.prototype.getDetails = function () {
return `Event: ${this.name} on ${this.date}`;
};
// Child constructor function: MovieEvent
function MovieEvent(movieName, date) {
// Inherit properties from Event
Event.call(this, movieName, date); // Set 'this' in Event to reference 'this' in MovieEvent
}
// Link the child's prototype to the parent's prototype
// Option 1: Using Object.create()
MovieEvent.prototype = Object.create(Event.prototype);
// Option 2: Using __proto__
// MovieEvent.prototype.__proto__ = Event.prototype;
// If using Object.create(), we need to reset the constructor property
MovieEvent.prototype.constructor = MovieEvent;
// Create an instance of MovieEvent
const movie = new MovieEvent("Inception", "25th September 2024");
console.log(movie.getDetails());
// Output: Event: Inception on 25th September 2024
In this example, MovieEvent
inherits from Event
, allowing instances of MovieEvent
to access methods defined on Event.prototype
, such as getDetails()
.
Prototype Inheritance with ES6 Classes
In JavaScript, prototype inheritance is a method by which objects inherit properties and methods from other objects. Here are the key points: Objects can inherit from other objects through a prototype chain. For example, a child object can inherit properties from a parent object via the prototype. When a child class extends another parent class, the child class's prototype is connected to the prototype of the parent class. This allows the child class objects to access both the member functions of the parent class and the properties initialized in the parent class constructor using the super()
keyword.
Here's an example demonstrating prototype inheritance in JavaScript:
// Define the Event Class
class Event {
// Constructor for the Event class
constructor(type) {
this.type = type; // Initialize the type of event
}
// Method to get event information **(present in Event.prototype)**
getInfo() {
return `This is an event of type: ${this.type}`; // Return a string describing the event type
}
}
// Define the Movie Class inheriting from Event
class Movie extends Event {
// Constructor for the Movie class
constructor(type) {
super(type); // Call the parent constructor to initialize type
}
}
// Define the Comedy Class inheriting from Event
class Comedy extends Event {
// Constructor for the Comedy class
constructor(type) {
super(type); // Call the parent constructor to initialize type
}
}
// Create instances of Movie and Comedy
let m = new Movie("Movie"); // Create a Movie instance with type "Movie"
let c = new Comedy("Comedy"); // Create a Comedy instance with type "Comedy"
// Output the event information for Movie and Comedy instances
console.log(m.getInfo()); // The object of Movie class (m) can access getInfo because it extends the Event class
console.log(c.getInfo()); // The object of Comedy class (c) can access getInfo because it extends the Event class
In this example:
Both
Movie
andComedy
classes inherit from theEvent
class.They both have access to the
getInfo
method defined inEvent
.The
super()
keyword is used to call the parent class's constructor and initialize the type property.
How JavaScript OOP Differs from Languages like Java and C++
In languages like Java and C++, creating an object from a class means that any changes made to the class after the object is created do not affect the existing object. However, in JavaScript, modifying the prototype after object creation will reflect those changes in the already created object.
function Product(a, b) {
this.a = a;
this.b = b;
}
Product.prototype.display = function() {
console.log(this);
}
let p = new Product(2, 5);
p.display(); // Displays the current object properties
// Modify the prototype method
Product.prototype.display = function() {
console.log("Modified", this);
}
p.display(); // Displays the modified output
In this example, after creating the object p
, we modify the display
function in Product.prototype
. When p.display()
is called again, it uses the modified method because JavaScript objects reference prototypes dynamically, allowing real-time changes.
This is why JavaScript is not considered a purely object-oriented language but rather object-linked-to-other-object language.
Conclusion
JavaScript’s OOP model, while unique, offers flexibility through prototypes and modern class syntax. By mastering encapsulation, inheritance, and the this
keyword, developers can build robust applications that leverage JavaScript’s dynamic nature. Key takeaways:
Use
class
for clarity and modern practices.Leverage prototypes for efficient method sharing.
Embrace
call
,apply
, andbind
for context control.
Understanding these concepts bridges the gap between JavaScript and classical OOP, empowering you to write clean, scalable code.
Wrapping Up
Thank you for reading! If you found this guide helpful, share it with others exploring JavaScript OOP.
Feel free to share feedback or questions in the comments below!
Subscribe to my newsletter
Read articles from Soumadip Majila directly inside your inbox. Subscribe to the newsletter, and don't miss out.
Written by
data:image/s3,"s3://crabby-images/b5639/b5639ead3a2c8d7d1b555ffbbb8622b11b5ebe13" alt="Soumadip Majila"