假设在es5要实现继承,首先定义一个父类:
现在再定义他sup的子类,继承sup的属性和方法:
function sub(name,age){
sup.call(this,name)
这时调用父类生成一个实例化对象:
let jack = new sub('jack',20)
jack.printName()
这就是es5中实现继承的方法。
而在es6中实现继承:
class sup {
constructor(name) {
this.name = name
}
printName() {
console.log(this.name)
}
}
class sub extends sup{
constructor(name,age) {
super(name)
this.age = age
}
printAge() {
console.log(this.age)
}
}
let jack = new sub('jack',20)
jack.printName()
对比es5和es6可以发现在es5实现继承,在es5中实现继承:
-
首先得先调用函数的call方法把父类的属性给继承过来
-
通过new关键字继承父类原型的对象上的方法和属性
-
最后再通过手动指定constructor属性指向子类对象
而在es6中实现继承,直接调用super(name),就可以直接继承父类的属性和方法,所以super作用就相当于上述的实现继承的步骤,不过es6提供了super语法糖,简单化了继承的实现
如果你用到了constructor
就必须写super()
,是用来初始化this
的,可以绑定事件到this
上;
如果你在constructor中
要使用this.props
,就必须给super加参数:super(props)
;
(无论有没有constructor
,在render
中this.props
都是可以使用的,这是React自动附带的;)
如果没用到constructor
,是可以不写的,直接:
class HelloMessage extends React.Component{
render (){
return (
<div>nice to meet you! {this.props.name}</div>
);
}
}
原来如此,谢谢了。
— any · 2月14日
根本原因是constructor会覆盖父类的constructor,导致你父类构造函数没执行,所以手动执行下。
— brook · 2月18日