JS创建的每个函数都有一个prototype(原型)属性,这个属性是一个指针,指向一个对象,而这个对象的用途是包含可以由特定类型的所有实例共享的属性和方法。prototype就是通过调用构造函数而创建的那个对象实例的原型对象。
function Person(){
}
Person.prototype.name="sakura";
Person.prototype.age=20;
Person.prototype.job="student";
Person.prototype.getName = function(){
console.log(this.name)
}
var person1 = new Person();
var person2 = new Person();
person1.getName();//sakura
person2.getName();//sakura
console.log(person1.getName == person2.getName);//true
这里将getName()方法和所有属性直接添加到了Person的prototype属性中,构造函数变成了空函数。即使如此,也仍然可以通过调用构造函数来创建新对象,而且新对象还会具有相同的属性和方法。但与构造函数不同的是,新对象的这些属性和方法是由所有实例共享的。换句话说,person1和person2访问的都是同一组属性和同一个getName函数。
网友评论