原型链实现class的继承

如果还没有系统学习原型链知识的,可以看看这篇文章一文带你彻底学懂原型链

我们知道,es6出现了class关键字,然后还可以通过extends实现类和类之间的继承。那么,在es6之前是如何实现继承的?

原型链继承主要注意几个点:

  1. 执行需要继承的那个构造函数
  2. 改变本构造函数的prototype,主要是继承父类的方法
  3. 将本构造函数的prototype改变后,prototype的constructor指向的是父类的构造函数,我们要将他改为我们自己的构造函数。

下面直接上代码举例:

 // 父类构造函数
            function Father(name, age) {
                this.name = name;
                this.age = age;
            }
            Father.prototype.say = function () {
                console.log("hello");
            };

            // 子类构造函数
            function Student(name, age) {
                Father.call(this, name, age);
                this.score = 100;
            }
            // 继承父类原型
            Student.prototype = Father.prototype;
            // 修正构造函数指向
            Student.prototype.constructor = Student;

            const student = new Student("jack", 20);

            console.log(student);

你可能感兴趣的:(javascript,原型模式,开发语言)