继承

  • 构造函数、原型和实例的关系:

每个构造函数都有其对应的原型对象;
每个原型对象都有一个构造函数指针constructor指向其构造函数;
每个实例都包含一个内部指针[[prototype]],指向构造函数的原型对象;

我们创建一个Person构造函数和一个Student构造函数,如下:

function Person(){
  this.name = "张三",
  this.hobby=["游泳","看书"]
}
Person.prototype.sayName=function(){return this.name}

function Student(){
  this.needStudy = true
}
Student.prototype.getStudy=function(){return this.needStudy}

Person构造函数的原型属性有sayName,实例属性有name和hobby。Student的原型属性有getStudy,实例属性有needStudy。
用结构图展示构造函数、原型对象和实例的关系如下:


Person构造函数.png

Student构造函数.png

继承的实现

下面讲述3种继承的实现方法:
原型链继承、借用构造函数继承、组合继承。

1.原型链继承

让Student继承Person的实现:
令Student的原型对象等于Person的实例。

Student.prototype = new Person()
//Student原型上的方法需要重新定义以下,因为上面重写了Student原型对象
Student.prototype.getStudy=function(){return this.needStudy}

var stu1 = new Student()

其结构图如下:


Student与Person的继承关系图.png

原型链实现继承的本质:重写原型对象。

  • 注意:子类型中定义与超类型同样的方法名会覆盖超类型中的方法。
    如下:
Student.prototype.sayName=function(){return "李四"}

var stu1 = new Student()

stu1.sayName() //"李四"
  • 原型链的问题:

1.超类型上定义的实例属性会相互影响,如下:

function Person(){
  this.name = "张三",
  this.hobby=["游泳","看书"]
}
function Student(){
}
Student.prototype = new Person()
var stu1=new Student()
var stu2=new Student()
stu1.hobby.push("听歌")
console.log(stu1.hobby, stu2.hobby)

上述对stu1的hobby的改变会影响到stu2的hobby值。

2.无法向超类型传递参数

function Person(name, hobby){
  this.name = name,
  this.hobby = hobby
}
function Student(){
}
Student.prototype = new Person("张三",["游泳"])
var stu1=new Student()
var stu2=new Student()

如果想在new Student()的时候传递参数给Person,是无法传递的。
为解决以上问题,可以使用借用构造函数方法。

2.借用构造函数继承
function Person(name,hobby){
  this.name = name,
  this.hobby=hobby
}
Person.prototype.sayName=function(){return this.name}
function Student(name,hobby){
  this.needStudy = true
  Person.call(this,name,hobby)
}
var stu1 = new Student("张三",["看书"])
var stu2 = new Student("李四",["听歌"])

将超类型中的方法和属性在子类型中定义一遍。

  • 借用构造函数的问题:

方法都在构造函数中定义,函数无法实现复用;
超类型中的原型方法无法访问到。

3.组合继承
function Person(name,hobby){
  this.name = name,
  this.hobby=hobby
}
Person.prototype.sayName=function(){return this.name}
function Student(name,hobby){
  this.needStudy = true
  Person.call(this,name,hobby)
}
Student.prototype = new Person();
Student.prototype.constructor = Student
Student.prototype.getStudy=function(){
  return this.needStudy
}
var stu1 = new Student("张三",["看书"])
var stu2 = new Student("李四",["听歌"])
  • 组合继承本质:

原型链继承共享的属性和方法,借用构造函数继承实例属性。

总结

image.png

你可能感兴趣的:(继承)