子类Dog根据自己的需要,重写了Animal方法
package com.guoba.method;
class Animal{
public void move(){
System.out.println("动物可以移动");
}
}
class Dog extends Animal{
public void move(){
System.out.println("狗可以跑和走");
}
}
//子类Dog根据自己的需要,重写了Animal方法
public class Demo03_Overriding {
public static void main(String args[]){
Animal a = new Animal(); // Animal 对象
Animal b = new Dog(); // Dog 对象
a.move();// 执行 Animal 类的方法
b.move();//执行 Dog 类的方法
}
/**
* 在上面的例子中可以看到,尽管 b 属于 Animal 类型,但是它运行的是 Dog 类的 move方法。
*
* 这是由于在编译阶段,只是检查参数的引用类型。
*
* 然而在运行时,Java 虚拟机(JVM)指定对象的类型并且运行该对象的方法。
*
* 因此在上面的例子中,之所以能编译成功,是因为 Animal 类中存在 move 方法,然而运行时,运行的是特定对象的方法。
*/
}