class 实现继承
Class之间可以通过extends关键字实现继承,这比ES5的通过修改原型链实现继承,要清晰和方便很多。
用法:
<script>
class Son extends Father {
...
}
</script>
以上代码定义了一个Son类,以及Father类,通过extends关键字,Son类继承Father类的所有属性和方法。接下来我们要在Son中添加要继承的一些方法和属性。
注: 子类 constructor 方法中必须有 super ,且必须出现在 this 之前。
首先,将父类的class代码写全:
Father内有两个属性,分别是name,age
class Father {
constructor(name,age,hobbies){
this.name = name,
this.age = age
}
}
将Father实例化,且输出:
var zsn = new Father("zsn",20);
console.log(zsn); // Father {name: "zsn", age: 20}
第二步,将Son继承Father的class代码写全:
Son将会有两个继承Father的属性,分别是name,age。还有一个Son自身独有的属性hobbise
class Son extends Father {
constructor(name,age,hobbies){
super(name,age); // 把父类构造函数的参数直接使用super关键字传递过来 然后再对子类独有的属性进行赋值
this.hobbies = hobbies
}
}
将Son实例化,且输出:
var wl = new Son("wl",21,"跑步");
console.log(wl); // Son {name: "wl", age: 21, hobbies: "跑步"}
**注:**如果Son类没有定义传入的参数,则额外传入的参数无效
class继承与要注意的点
1.子类必须在constructor方法中调用super方法,否则新建实例时会报错。因为子类自身本没有this对象,继承的是父类的this对象,如果不调用super方法,name这个子类就得不到this对象。
如:
<script>
class Father {
constructor(name,age,hobbies){
this.name = name,
this.age = age
}
}
class Son extends Father {
constructor(name,age,hobbies){
this.hobbise = hobbies
}
}
var wl = new Son("wl",21,"跑步");
console.log(wl); // ReferenceError
</script>
以上就会报错:引用错误,在访问“this”构造函数返回之前,必须在类中调用super函数。上面代码中,Son继承了Father,但是它的构造函数没有调用super方法,导致新建实例时报错。
Es6的继承机制实质是先创造父类的实例对象this(所以必须先调用super方法),然后再用子类的构造函数修改this。注:
“先有鸡后有蛋”。
2.class里面第一行就是constructor,constructor第一行就是super。
<script>
class Father {
constructor(name,age){
this.name = name,
this.age = age
}
}
class Son extends Father {
constructor(name,age,hobbise){
this.hobbise = hobbise;
super(name,age); // 把父类构造函数的参数直接使用super关键字传递过来 然后再对子类独有的属性进行赋值
}
}
var wl = new Son("wl",21,"跑步");
console.log(wl);
</script>
以上就会报错:引用错误
<script>
class Father {
constructor(name,age){
this.name = name,
this.age = age
}
}
class Son extends Father {
super(name,age);
constructor(name,age,hobbise){
this.hobbise = hobbise;
}
}
var wl = new Son("wl",21,"跑步");
console.log(wl);
</script>
以上就会报错:语法错误,意外标记“;”
总结:
1.extends就是class类实现继承的核心。
2.子类必须在constructor方法中调用super方法。
3.class里面第一行就是constructor,constructor第一行就是super。
4.super必须写在this前面,不然就会报错。