js中的super底层是怎么实现的?

为什么我在控制台log(super)总是报错呢?

阅读 8.2k
2 个回答

应该是super关键字只能在class内部使用,外部直接调用就会出错,因为你根本不知道父类的构造函数是那个啊。它们只是语法糖而已,JavaScript仍然是基于原型的继承,super本质上就是借用构造函数的一种表现形式,我们可以通过如下清楚看出来。

原始class实现方式

function Parent(name) {
    this.name = name;
}
Parent.prototype.getName = function() {
    return this.name;
}

function Child(name, age) {
    //借用构造函数
    Parent.call(this, name);
    this.age = age;
}

//实现继承
Child.prototype = new Parent();
Child.prototype.constructor = Child;

Child.prototype.getAge = function(){
    return this.Age;
};
var people = new Child("lily", 20);
console.log(people.getName());

语法糖

class Parent {
    constructor(name) {
        this.name = name;
    }
    getName() {
        return this.name;
    }
}

class Child extends Parent {
    constructor(name, age) {
        super(name);
        this.age = age;
    }
    getAge() {
        return this.age;
    }
}

const people = new Child("lily", 20);
console.log(people.getName());

非常有意思的事:
图片描述

一脸懵逼.jpg,哈哈哈哈,其实通过上面的比较也应该清楚为什么是这样,ES6class真的是语法糖,甜到忧伤。

建议你看看Babel实现类和继承的源码,链接在这,ES5和ES6的类创建还是有区别的,比如继承Array对象,ES5方式生成的对象不具备Array的特性。

clipboard.png

撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进
推荐问题