1.父类型的引用可以指向子类型的对象:
Parent p = new Child();
2.当使用多态方式调用方法时,首先检查父类中是否有该方法,如果没有,则编译错误;如果有,再去调用子类的该同名方法。
3.静态static方法属于特殊情况,静态方法只能继承,不能重写Override,如果子类中定义了同名同形式的静态方法,它对父类方法只起到隐藏的作用。调用的时候用谁的引用,则调用谁的版本。
4.使用多态,只能使用重写父类的方法,若方法只在父类定义而没有重写,调用的是父类的方法。
5.如果想要调用子类中有而父类中没有的方法,需要进行强制类型转换,如上面的例子中,将p转换为子类Child类型的引用。
6.向上类型转换(Upcast):将子类型转换为父类型,不需要显示指定,即不需要加上前面的小括号和父类类型名。
7.向下类型转换(Downcast):将父类型转换为子类型;对于向下的类型转换,必须要显式指定,即必须要使用强制类型转换。并且父类型的引用必须指向子类的对象,即指向谁才能转换成谁。
9.示例:
public class PolyTest
{
public static void main(String[] args)
{ //向上类型转换
Cat cat = new Cat();
Animal animal = cat;
animal.sing(); //向下类型转换
Animal a = new Cat();
Cat c = (Cat)a;
c.sing();
c.eat(); //编译错误
//用父类引用调用父类不存在的方法
//Animal a1 = new Cat();
//a1.eat(); //编译错误
//向下类型转换时只能转向指向的对象类型
//Animal a2 = new Cat();
//Cat c2 = (Dog)a2; }
}
class Animal
{
public void sing()
{
System.out.println("Animal is singing!");
}
}
class Dog extends Animal
{
public void sing()
{
System.out.println("Dog is singing!");
}
}
class Cat extends Animal
{
public void sing()
{
System.out.println("Cat is singing!");
}
public void eat()
{
System.out.println("Cat is eating!");
}
}