ES6中的class与继承

 class是创建类对象与实现类继承的语法糖,旨在让ES5中对象原型的写法更加清晰,易读。


  基本使用:

  class Point {

       constructor(x = 0, y = 0) {

        this.x = x;

       this.y = y;

}

toString() {

      return this.x + ':' + this.y;

  }

 }

 let point = new Point();

console.log(point.toString());


1.ES6类的constructor函数相当于ES5的构造函数

2.类中定义方法时,前面不用加function,后面不得加,,方法全部都是定义在类的prototype属性中。

3.类的内部定义的所有方法都是不可枚举的

4类和模块内部默认采取严格模式

另外,下面这种写法是无效的。class内部只允许定义方法,不允许定义属性(包括静态属性)


constructor方法

          类必须定义constructor属性,如果没有显式定义,一个空的constructor方法会被默认添加。constructor方法默认返回实例对象this,但也可以指定返回另一个对象。

class B{};

var b = new B();

B.prototype.constructor = b.constructor;


立即执行class

class也可以写成表达式的形式,这样可以写出立即执行的Class。

let point = new class{

constructor(x = 0, y = 0) {

this.x = x;

this.y = y;

}

toString() {

return this.x + ':' + this.y;

}

}(1, 2);

console.log(point.toString());


   继承

基本用法:

class Animal {

     constructor(name = 'John Doe', species = '物种'){

     this.name = name;

     this.species = species;

}

sayHello(){

    console.log('hello',this.name,this.species)

}

}

    class Sheep extends Animal{

    constructor(name = 'Jimmy',species = '猴'){

    super(name, species);

}

sayHello(){

console.log('child');

super.sayHello()

}

}

let sheep = new Sheep('Tom');

sheep.sayHello();

输出:

   child

  hello Jimmy  猴


super

子类必须在constructor方法里调用super方法,否则不能新建实例。这是因为子类没有属于自己的this对象,而是继承了父类的this对象而对其进行加工。显然,只有调用了super方法之后,才可以使用this

而super本身指代的是父类的实例对象,我们可以使用super.的方式调用父对象的方法。此外,由于对象总是继承于其它对象,所以可以在ES6的任何一个对象中使用super关键字。

let obj = {

arr : [1,2,3],

toString(){

console.log('super:'+super.toString.apply(this.arr));

}

};

obj.toString()


这里的super显然指向的是Object实例对象。

隐式constructor

如果子类没有显式的定义constructor,那么下面的代码将被默认添加


constructor(...args){

super(...args)

}


ES5继承和ES6继承的区别

在ES5中,继承实质上是子类先创建属于自己的this,然后再将父类的方法添加到this(也就是使用Parent.apply(this)的方式)或者this.__proto__(即Child.prototype=new Parent())上。

而在ES6中,则是先创建父类的实例对象this,然后再用子类的构造函数修改this。

    instanceof

使用继承的方式创建的对象既是父类的实例,也是子类的实例。

  sheep instanceof Sheep // =>true

  sheep instanceof Animal // => true

你可能感兴趣的:(ES6中的class与继承)