多态
解决的是代码扩展问题(符合开闭原则)
开闭原则-对修改关闭,对新增开放
- 实现多态 继承 重写 父类引用指向子类对象
- 在运行过程中,根据实际的对象去调用该对象的方法
- 父类引用指向子类对象是向上转型,反之成为向下转型
- 父类引用可以指向子类对象,不能调用子类新增方法
马戏团案例
父类Animal
public class Animal {
private String name;
private int age;
public void play(){
System.out.println("表演");
}
}
子类 重写父类方法
public class Elephant extends Animal {
@Override
public void play() {
System.out.println("大象表演喷水");
}
}
马戏团类
public class Circus {
public void show(Animal animal) {
animal.play();
}
}
测试类
public static void main(String[] args) {
Circus circus = new Circus();
// 向上转型 父类引用指向子类对象
Animal animal = new Monkey();
// 运行过程中去执行此对象的方法 .class
animal.play();
//编译器在报错 .class
// animal.jump();
//向下转型 加强制转换符
Monkey monkey = (Monkey) animal;
/* Elephant elephant = new Elephant();
Tiger tiger = new Tiger();
circus.show(monkey);
circus.show(elephant);
circus.show(tiger);*/
}
抽象类&抽象方法
- 有些类是不需要实例化的,这些类就可以定义为抽象类,抽象类不可以new新对象
- 有些类定义出来就是用来被继承的,这些类可以声明为抽象类
- 有些方法定义出来就是被重写的,这些方法就可以生声明为抽象办法
- 使用abstract关键字声明一个抽象类,使用abstract去声明一个方法为抽象办法;
- 抽象方法只能被抽象类被引用
/**
* 抽象类 是不能有实例(对象)的
*/
public abstract class Animal {
private String name;
private int age;
/**
* 抽象方法 不需要有方法实现体
*/
public abstract void play();
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
}