本文共 3264 字,大约阅读时间需要 10 分钟。
原型继承:让子类的原型等于父类的实例 => Child.prototype = new Parent;(实现继承)
特点:
__proto__
(原型链)找到自己定义的属性和方法–“指向/查找”方式的。c1.__proto__.xxx = xxx;
修改子类原型(原有父类的实例)中的内容,内容被修改后,对子类的其他实例有影响,对父类的其他实例没有影响想c1.__proto__.__proto__.xxx = xxx;
直接修改的是父类的原型,这样不仅会影响其他子类的实例,也会影响其他父类的实例。EG:
function Parent(){ this.x = 100;};Parent.prototype.getX = function getX(){ return this.x;};function Child(){ this.y = 200;};Child.prototype = new Parent;//实现继承Child.prototype.constructor = Child//为了保证Child原型的完整性,手动添加上constructor Child.prototype.getY = function getY(){ return this.y;};let c1 = new Child;
图例解析
__proto__
(原型链)找到自己定义的属性和方法Parent.call(this)
中的this.x = 100
,相当于给实例c1设置一个私有的属性x,属性值是100,相当于让子类的实例继承了父类的私有属性,并且变为了子类的私有属性,这就是"拷贝式"。function Parent(){ this.x = 100;};Parent.prototype.getX = function getX(){ return this.x;};function Child(){ Parent.call(this); this.y = 200;};Child.prototype.getY = function getY(){ return this.y;};let c1 = new Child;
缺点:
Child.prototype.__proto__ === Parent.prototype
__proto__
, 所以利用:Child.prototype= Object.create(Parent.prototype)
Child.prototype.constructor = Child
EG:
function Parent(){ this.x = 100;};Parent.prototype.getX = function getX(){ return this.x;};function Child(){ Parent.call(this);//继承父类的私有属性方法 this.y = 200;};//Child.prototype.__proto__ === Parent.prototype //IE浏览器不支持Child.prototype= Object.create(Parent.prototype);//继承父类的公有属性方法Child.prototype.constructor = Child;// 为了保证Child原型的完整性Child.prototype.getY = function getY(){ return this.y;};let c1 = new Child;
图形解释:Child.prototype.__proto__ === Parent.prototype
【IE浏览器不支持】
Child.prototype= Object.create(Parent.prototype)
Object.create(Parent.prototype)
:创建一个空对象,让其原型链指向Parent的原型[prototype]//ES6中类和继承class Parent{ constructor (){ this.x = 100; }; //等价于:Parent.prototype.getX = function... getX(){ return this.x; }};class Child extends Parent{ constructor (){ super();//继承后子类constructor第一行必须加上super(),否则会报错。 at new Child this.y = 200; }; getY(){ return this.y; }};new Child();
转载地址:http://bmho.baihongyu.com/