1.继承使用extends指令 语法为 子类 extends 父类
2.使用继承后,子类会拥有父类所有的方法和属性
3.通过继承可以将多个类中共有的代码写在一个父类中
这样只需要写一次即可让所有子类都同时拥有父类中的属性和方法
如果希望在子类中添加一些父类中没有的属性或方法,直接加上去就行
4.如果在子类中添加了和父类相同的方法,则子类方法会覆盖掉父类的方法
这种子类覆盖掉父类方法的形式,我们称为方法的重写
class Animal{
name: string;
age: number;
constructor(name: string, age: number){
this.name = name;
this.age = age;
}
sayHello(){
console.log('Hello World!');
}
}
定义一个表示狗的类
使Dog继承Animal类
class Dog extends Animal {
}
const dog = new Dog('高飞', 20);
console.log(dog); // Dog {name: '高飞', age: 20}
dog.sayHello(); // Hello World!
class Cat extends Animal {
run(){
console.log(`${this.name}在跑`);
}
sayHello() {
console.log('喵喵喵');
}
}
const cat = new Cat('汤姆', 30);
cat.run(); // '汤姆在跑'
cat.sayHello(); // '喵喵喵'