规则
- 调用对象方法时,该方法会和对象的运行类型绑定。
- 调用对象属性时,没有动态绑定机制,哪里声明哪里使用。
例子:
java
class Base{
public int a=10;
public int getA(){return a;}
public int getSum(){
return 10+getA();//这里会调用Sub类中的getA()
}
public int getBaseA(){return a;}
}
class Sub extends Base{
public int a =20;
public int getA(){return a;}
}
public static void main(String[] args){
Base b=new Sub();//多态
System.out.println(b.getSum()); //规则1 输出30
System.out.println(b.getBaseA());//规则2 输出10
}
规则1:
最后的输出为 30。
因为动态绑定机制的原因,b.getSum()方法与b的运行类型(Sub)绑定,b.getSum()中调用的getA()实际为Sub类中的getA(),即10+20最终返回30。
规则2:
在调用b.getBaseA()时,因为变量没有动态绑定,所以直接找到了Base类中的a=10,所以输出为10。