多态有两种形式,第一是向上转型,第二是向下转型。
向上转型即,用父类的引用指向子类的对象,子类重写了父类或者接口的方法。这样别的方法使用不同子类对象时,不用对每个子类都写一个方法。只需要把父类做参数,具体使用的时候需要哪种子类类型,就传入对应的子类类型。
向下转型即是,用子类的引用指向父类对象。目的是试图使用子类特有的方法。用强制转换类型,把父类类型的对象强制转换成子类类型的对象,此时这个曾经的父类对象就变成了子类对象,这样用子类类型的引用就可以实现对子类特有方法的调用。
下面上代码帮助理解:
class test{
// 用接口做参数,只要写一个方法
public void setPrinter(Printer p){
p.print();
}
// 用子类做参数,要写很多,有多少种写多少种,很麻烦
/*
public void setPrinter(ColorPrinter p){
p.print();
}
public void setPrinter(BlackPrinter p){
p.print();
}
*/
public static void main(String[] args){
// 向上转型
test t1 = new test();
t1.setPrinter(new ColorPrinter()); // 用哪种传哪种参数,但是用的是同一个方法
t1.setPrinter(new BlackPrinter());
// 向下转型,试图使用子类中特有的(接口、抽象类、父类中没有的)方法。
Printer p1 = new ColorPrinter();
// 如果p1的类型和ColorPrinter类型一样,则执行下面的代码
if(p1 instanceof ColorPrinter){
ColorPrinter cp1 = (ColorPrinter)p1;
cp1.print2();
}
}
}
interface Printer{
void print();
}
class ColorPrinter implements Printer{
public void print(){
System.out.println("ColorPrinter");
}
public void print2(){
System.out.println("ColorPrinter's second method");
}
}
class BlackPrinter implements Printer{
public void print(){
System.out.println("BlackPrinter");
}
}