多态
没有重写就没有多态。
多态就是在调用同一个方法的时候,可以根据发送对象的不同,而有多种可能性。
主函数
public class Application {
public static void main(String[] args) {
//一个对象的实际类型是确定的
//new father();
//new son();
//可以指向的引用类就不确定了:父类的引用指向子类
//son能调用的方法都是自己或者继承父类的!
son s = new son();
//father 父类型,可以指向子类,但是不能调用子类独有的方法
father f = new father();
father n = new son();
f.run(); //同名方法,看左边的类型,谁的类型就调用谁的。
s.run();
n.run(); //同名方法,当类型是父类,而右边调用的构造方法是子类,那么子类重写了父类的方法,执行子类的方法
//对象能执行哪些方法,主要看对象左边的类型,和右边的关系不大!
((son)n).sleep();//强制类型转换,因为n的类型是father,所以不能调用子类独有的方法,需要强制类型转换!
}
}
子函数son
public class son extends father{
public void run() {
System.out.println("儿子");
}
public void sleep(){
System.out.println("睡觉");
}
}
/*
多态的注意事项:
1.多态是方法的多态,属性没有多态
2.父类的方法,有联系 类型转换异常!ClassCastException(父子类之间出现问题就会显示)!
3.存在条件:继承关系,方法需要重写,父类的引用指向的是子类对象 father f = new soon()
不能重写的:
1.static 方法,属性类,他不是属于实例
2.final 常量;
3.private 方法; 私有的
* */
父亲函数father
public class father {
public void run() {
System.out.println("爸爸");
}
}