向上转型:通俗地讲即是将子类对象转为父类对象。此处父类对象可以是接口
看下面代码:- public class Animal {
- public void eat(){
- System.out.println("animal eatting...");
- }
- }
- class Bird extends Animal{
- public void eat(){
- System.out.println("bird eatting...");
- }
- public void fly(){
- System.out.println("bird flying...");
- }
- }
- class Main{
- public static void main(String[] args) {
- Animal b=new Bird(); //向上转型
- b.eat();
- //! error: b.fly(); b虽指向子类对象,但此时丢失fly()方法
- }
复制代码 此处将调用子类的eat()方法。原因:b实际指向的是Bird子类,故调用时会调用子类本身的方法。
需要注意的是向上转型时b会遗失除与父类对象共有的其他方法。如本例中的fly方法不再为b所有。
向下转型:与向上转型相反,即是把父类对象转为子类对象。
看下面代码:- public class Girl {
- public void smile(){
- System.out.println("girl smile()...");
- }
- }
- class MMGirl extends Girl{
-
- @Override
- public void smile() {
- System.out.println("MMirl smile sounds sweet...");
- }
- public void c(){
- System.out.println("MMirl c()...");
- }
- }
- class Main{
- public static void main(String[] args) {
- Girl g1=new MMGirl(); //向上转型
- g1.smile();
- MMGirl mmg=(MMGirl)g1; //向下转型,编译和运行皆不会出错
- mmg.smile();
- mmg.c();
- Girl g2=new Girl();
- // MMGirl mmg1=(MMGirl)g2; //不安全的向下转型,编译无错但会运行会出错
- // mmg1.smile();
- // mmg1.c();
- /*output:
- * CGirl smile sounds sweet...
- * CGirl smile sounds sweet...
- * CGirl c()...
- * Exception in thread "main" java.lang.ClassCastException: com.wensefu.other1.Girl
- * at com.wensefu.other1.Main.main(Girl.java:36)
- */
- if(g2 instanceof MMGirl){
- MMGirl mmg1=(MMGirl)g2;
- mmg1.smile();
- mmg1.c();
- }
- }
- }
复制代码 Girl g1=new MMGirl(); //向上转型
g1.smile();
MMGirl mmg=(MMGirl)g1; //向下转型,编译和运行皆不会出错
这里的向下转型是安全的。因为g1指向的是子类对象。
而Girl g2=new Girl();
MMGirl mmg1=(MMGirl)g2; //不安全的向下转型,编译无错但会运行会出错
运行出错:
Exception in thread "main" java.lang.ClassCastException: com.wensefu.other1.Girl
at com.wensefu.other1.Main.main(Girl.java:36)
如代码所示,可以通过instanceof来防止出现异常。
|