该文章是观看https://www.bilibili.com/video/BV1ct411n7oG?p=82后的学习笔记。
多态的定义:
同一个方法的调用,由于对象的不同会有不同的行为。如:现实生活中不同的人做同一件事可能会有不同的行为,学生在周末休息的时间可能是看书继续学习;而程序员在周末的休息时间可能就是继续编写一些自己感兴趣的小程序。
多态的关键知识点:
1.多态是方法的多态,与对象属性无关。
2.多态存在三个必要条件:继承;方法重写;父类引用指向子类对象。
3.父类引用指向子类对象后,用父类引用调用子类重写的方法,这时多态就出现了。
下面看一下事例代码:
public class Test {
public static void main(String[] args) {
People people = new People();
people.Rest();
People people2 = new Student();
people2.Rest();
People people3 = new Programmer();
people3.Rest();
}
}
class People{
public void Rest(){
System.out.println("现在是休息时间");
}
}
class Student extends People {
public void Rest(){
System.out.println("学生利用休息的事件看书");
}
}
class Programmer extends People{
public void Rest(){
System.out.println("程序员利用休息时间编写代码");
}
}
程序运行结果:
在上面的代码中,体现了实现多态需要三个必要条件:
1.继承:Student类和Programmer类继承了People类。
2.方法重写:Student类和Programmer类重写了People类的Rest方法。
3.父类引用指向子类对象:People people2 = new Student();在对象实例化的时候people2指向了Student的子类对象。
也可以模仿视频代码中的写法,同样体现了实现多态的三个必要条件。
public class Test {
public static void main(String[] args) {
People people = new People();
Student student = new Student();
Programmer programmer = new Programmer();
haveRest(people);
//父类People类引用指向子类Studnet对象
haveRest(student);
//父类People类引用指向子类Programmer对象
haveRest(programmer);
}
static void haveRest(People people){
people.Rest();
}
}
class People{
public void Rest(){
System.out.println("现在是休息时间");
}
}
class Student extends People {
public void Rest(){
System.out.println("学生利用休息的事件看书");
}
}
class Programmer extends People{
public void Rest(){
System.out.println("程序员利用休息时间编写代码");
}
}