js使用原型对象(prototype)需要注意的地方
我们先来一个简单的构造函数+原型对象的小程序
functionCreateObj(uName,uAge){
this.userName=uName;
this.userAge=uAge;
}
CreateObj.prototype.showUserName=function(){
returnthis.userName;
}
CreateObj.prototype.showUserAge=function(){
returnthis.userAge;
}
这个程序,没有什么问题,但是非常的冗余,每次扩展一个方法,都要写一次原型对象,我们可以把原型对象prototype当做一个字面量对象,所有的方法都在字面量对象中扩展,可以达到同样的效果:
CreateObj.prototype={
showUserAge:function(){
returnthis.userAge;
},
showUserName:function(){
returnthis.userName;
},
}
varobj1=newCreateObj('ghostwu',22);
varobj2=newCreateObj('卫庄',24);
console.log(obj1.showUserName(),obj1.showUserAge());//ghostwu22
console.log(obj2.showUserName(),obj2.showUserAge());//卫庄24
但是这种原型(prototype)对象的写法,属于重写了CreateObj的默认原型对象,造成的第一个问题就是constructor不再指向CreateObj.
没有重写之前,constructor指向CreateObj
functionCreateObj(uName,uAge){
this.userName=uName;
this.userAge=uAge;
}
CreateObj.prototype.showUserName=function(){
returnthis.userName;
}
CreateObj.prototype.showUserAge=function(){
returnthis.userAge;
}
console.log(CreateObj.prototype.constructor===CreateObj);//true
重写之后,constructor指向Object
CreateObj.prototype={
showUserAge:function(){
returnthis.userAge;
},
showUserName:function(){
returnthis.userName;
},
}
console.log(CreateObj.prototype.constructor===CreateObj);//false
console.log(CreateObj.prototype.constructor===Object);//true
所以说,constructor不能准确的标识对象,因为他会被修改
我们之前写的程序,基本都是在原型对象(prototype)上扩展完了方法之后,再实例化对象,我们看下,先实例化对象,再在原型对象(prototype)上扩展函数,
实例对象是否能正常的调用到扩展的方法?
functionCreateObj(uName,uAge){
this.userName=uName;
this.userAge=uAge;
}
varobj1=newCreateObj('ghostwu',22);
CreateObj.prototype.showUserName=function(){
returnthis.userName;
}
console.log(obj1.showUserName());//ghostwu
可以正常调用,但是,如果原型对象是重写的,就调用不到了
functionCreateObj(uName,uAge){
this.userName=uName;
this.userAge=uAge;
}
varobj1=newCreateObj('ghostwu',22);
CreateObj.prototype={
showUserName:function(){
returnthis.userName;
}
}
console.log(obj1.showUserName());//报错
因为重写了原型对象之后,同时实例化又是在重写之前发生的,所以实例的隐式原型__proto__不会指向重写的原型对象,所以就调用不到另一个问题,如果在原型对象(prototype)上有引用类型,千万小心,因为多个实例共用原型对象,只要有一个实例改变了引用类型的值,其他实例全部会收到改变之后的结果。
functionCreateObj(){}
CreateObj.prototype={
name:'ghostwu',
skills:['php','javascript','linux']
};
varobj1=newCreateObj();
obj1.skills.push('python');
varobj2=newCreateObj();
console.log(obj2.skills);//'php','javascript','linux','python'
原型对象(prototype)的共享特性,可以很方便的为一些内置的对象扩展一些方法,比如,数组去重复
Array.prototype.unique=function(){
varres=[];
for(vari=0,len=this.length;i
但是,不要随便往内置的对象上面扩展方法,在多人协作开发,很容易产生覆盖,以及污染。
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持毛票票。