In JavaScript, every object has a prototype property. Prototype property is also an object. All JavaScript objects inherit there properties and methods from there prototypes.
Using prototypes makes object creation faster.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
function Person(name){ | |
this.name = name; | |
} | |
var person1 = { | |
name : 'Person 1' | |
}; | |
Person.prototype.getName = function(){ | |
return "Name of the person is " + this.name; | |
}; | |
//Don't forget to put new keyword before Person | |
var person2 = new Person('Person 2'); | |
console.log(person2.getName()); //Name of the person is Pook 2 | |
//This is not possible | |
// Uncaught TypeError: Cannot set property 'getName' of undefined (anonymous function) | |
/* | |
person1.prototype.getName = function(){ | |
return "Name of the person is " + this.name; | |
} | |
*/ |
When an inherited function is executed, the value of
this
points to the inheriting object, not to the prototype object where the function is an own property.
Object.create : Create a new object with specified prototype object and properties
https://developer.mozilla.org/en-US/docs/Web/JavaScript/Guide/Inheritance_and_the_prototype_chain
hasOwnProperty is an own property of Object.prototype. When we create an object, it inherits hasOwnProperty from Object.prototype.
Arrays inherits from Array.prototype (it has methods like forEach, call)
// f ---> Function.prototype ---> Object.prototype ---> null
The lookup time for properties that are high up on the prototype
chain can have a negative impact on performance, and this may be
significant in code where performance is critical. Additionally, trying
to access nonexistent properties will always traverse the full prototype
chain.
Also, when iterating over the properties of an object, every property that is on the prototype chain will be enumerated.
0 comments:
Post a Comment