规则
子类继承了超类的方法,从子类中可以调用超类中的方法。通过查询继承树实现,先从当前类中查找,如果没有找到,向上回溯。实现
为了能用简便、面向对象的语法来编写代码,即“发送消息给对象”,编译器做了一些幕后工作,暗自把“所操作对象的引用”作为第一个参数传递给方法,就是this
,P87 Thinkning in Java 第四版。也就是说以下代码
class Banana {
void peel(int t){}
}
public class BananaPeel{
public static void main(String[] args){
Banana a = new Banana();
Banana b = new Banana();
a.peel(1);
b.peel(2);
}
}
上述两个方法的调用就变成了
Banana.peel(a, 1);
Banana.peel(b, 2);
对于实例方法,是调用this上的方法,因此调用子类的override方法
- Static 方法
首先看Static的含义。
对于成员变量:为某个特定域分配单一存储空间
对于方法:即使没有创建实例,也希望调用这个方法。所以,static 方法就是没有this的方法,如果某个方法是静态的,它的行为就不具有多态性。P157,Thinkning in Java 第四版。
对于实例方法,是调用this上的方法,因此调用超类的override方法
public class SuperClass {
protected void outerM(){
System.out.println("outer Method in Super Class!");
System.out.println(this.getClass().toString());
innerM();
}
protected void innerM(){
System.out.println("inter Method in Super Class");
}
protected static void staticOuterM(){
System.out.println("outer Method in static Super Class!");
staticInnerM();
}
protected static void staticInnerM(){
System.out.println("inter Method in static Super Class");
}
}
public class ChildClass extends SuperClass{
protected void innerM(){
System.out.println("inter Method in Child Class");
}
protected static void staticInnerM(){
System.out.println("inter Method in Child Class");
}
public static void main(String...strings){
ChildClass cc = new ChildClass();
cc.outerM();
ChildClass.staticOuterM();
}
}
输出
outer Method in Super Class!
class zy.tijava.inherit.ChildClass
inter Method in Child Class
outer Method in static Super Class!
inter Method in static Super Class
- Sub对象转型为Super引用时,任何域访问操作都将由编译器解析,因此不是多态的。