
Construction Function in Javascript.
The construction function helps to define the properties and behaviours of multiple objects . For us to create an object using the constructor keyword, we have to create a ‘New’ keyword.
Then, the New keyword is followed by the function name and any arguments we want to pass. The main function of the New keyword is creating a new object. The advantage is that when we make changes in a particular object, it doesn’t reflect on others.
Everytime we use the construct function , we use the ‘This’ Keyword. The This Keyword will refer to the new object we are creating and it thus assign values to its properties.
Here’s how we create a construction function;
function Student (name, tech) {
this.name = name;
this.tech = tech;
}
let student1 = new Student('Aisha', 'Javascript');
console.log(student1);
// Student {name: 'Aisha', tech: 'Javascript'}
An important benefit of the construction function is that we can add another object to this function. Look at the example below;
function Student (name, tech) {
this.name = name;
this.tech = tech;
}
let student1 = new Student('Aisha', 'Javascript');
let student2 = new Student('Amina', 'Java');
console.log(student2);
// Student {name: 'Amina', tech: 'Java'}
Sometimes, there are multiple objects and we want to share a common method. We can also achieve this with the help of a constructor function. For instance,
function Student (name, tech) {
this.name = name;
this.tech = tech;
this.work = function(){
console.log("Debugging for 3hrs")
}
}
let student1 = new Student('Aisha', 'Javascript');
let student2 = new Student('Amina', 'Java');
student1.tech = 'Blockchain';
console.log(student1);
student1.work();
//Student{
//name: 'Aisha',
//tech: 'Blockchain',
//work: [Function (anonymous)]
//}
//Debugging for 3 hrs
In all, the constructor function is a special type of function that’s used to create and initialize objects in Javascript. It enhances code readability.
It is defined by using the ‘function’ keyword followed by the ‘name’ often beginning in a Capital letter for the purpose of distinguishing it from regular functions. Inside the function body, we typically use the ‘this’ keyword to refer to the new object being created and assign values to its properties.
I hope you learnt something today.
See you next time!