JavaScript Object Prototypes

  • Object prototypes are a mechanism for sharing properties and methods among multiple objects.
  • Each object in JavaScript has a prototype, and these prototypes form a chain, known as the prototype chain.

Prototype Chain:

  • Every object in JavaScript is linked to a prototype object. This linkage forms a chain of prototypes, known as the prototype chain.
  • When a property or method is accessed on an object, JavaScript looks for it in the object itself and then in its prototype, continuing up the chain until it finds the property or reaches the end of the chain.

Setting a Prototype: The Object.create() method is commonly used to create an object with a specified prototype.

// Creating a Prototype Object
const personPrototype = {
  greet: function() {
    console.log('Hello!');
  }
};

// Creating an Object with the Prototype
const person = Object.create(personPrototype);

// Accessing the Prototype Method
person.greet(); // Output: Hello!

Constructor Functions: Constructor functions can be used to create objects with shared properties and methods.

// Constructor Function
function Person(name, age) {
  this.name = name;
  this.age = age;
}

// Adding a Method to the Prototype
Person.prototype.greet = function() {
  console.log(`Hello, my name is ${this.name}!`);
};

// Creating Instances with the Constructor
const person1 = new Person('John', 30);
const person2 = new Person('Alice', 25);

// Accessing the Prototype Method
person1.greet(); // Output: Hello, my name is John!
person2.greet(); // Output: Hello, my name is Alice!

Checking Prototypes: The instanceof operator can be used to check if an object is an instance of a particular constructor function.

console.log(person1 instanceof Person); // Output: true
console.log(person2 instanceof Person); // Output: true

Changing Prototypes: It's generally not recommended to change an object's prototype dynamically. However, the Object.setPrototypeOf() method can be used.

const animal = {
  sound: function() {
    console.log('Animal sound');
  }
};

const dog = {
  breed: 'Labrador'
};

// Setting the Prototype of 'dog' to 'animal'
Object.setPrototypeOf(dog, animal);

// Accessing the Prototype Method
dog.sound(); // Output: Animal sound

 

Summary

  • Object prototypes are used to share properties and methods among objects in JavaScript.
  • The prototype chain is formed by linking objects to their prototypes.
  • Object.create() and constructor functions are common ways to set prototypes.
  • Changing prototypes dynamically using Object.setPrototypeOf() should be done cautiously.