java 动态绑定

来源:互联网 发布:淘宝卖百货用什么类目 编辑:程序博客网 时间:2024/06/05 07:50

Java的动态绑定机制

  • 静态绑定发生在编译时期,动态绑定发生在运行时
  • 使用private或static或final修饰的变量或者方法,使用静态绑定。而虚方法(可以被子类重写的方法)则会根据运行时的对象进行动态绑定。
  • 静态绑定使用类信息来完成,而动态绑定则需要使用对象信息来完成。
  • 重载(Overload)的方法使用静态绑定完成,而重写(Override)的方法则使用动态绑定完成
In Java, all non-static methods are by default "virtual functions." Only methods marked with thekeyword final, which cannot be overridden, along with private methods, which are not inherited, are non-virtual.
所以动态绑定规则和C++一致。

Java的动态绑定又称为运行时绑定。意思就是说,程序会在运行的时候自动选择调用哪儿个方法。

一、动态绑定的过程:

  例子:

1 public class Son extends Father
2 Son son = new Son();
3 son.method();

  1. 首先,编译器根据对象的声明类型和方法名,搜索相应类(Son)及其父类(Father)的“方法表”,找出所有访问属性为public的method方法。

    可能存在多个方法名为method的方法,只是参数类型或数量不同。

  2. 然后,根据方法的“签名”找出完全匹配的方法。

    方法的名称和参数列表称为方法的签名。

    在Java SE 5.0 以前的版本中,覆盖父类的方法时,要求返回类型必须是一样的。现在子类覆盖父类的方法时,允许其返回类型定义为原始类型的子类型。

1 public Father getFather(){...}  //父类中的方法
2 public Son getFather(){...} //子类覆盖父类中的getFather()方法

  3. 如果是private、static、final 方法或者是构造器,则编译器明确地知道要调用哪儿个方法,这种调用方式成为“静态调用”。

  4. 调用方法。

    如果子类Son中定义了 method() 的方法,则直接调用子类中的相应方法;如果子类Son中没有定义相应的方法,则到其父类中寻找method()方法。

二、Demo

  1. 子类重写父类中的方法,调用子类中的方法

复制代码
 1 public class Father{
2 public void method(){
3 System.out.println("父类方法:"+this.getClass());
4 }
5 }
6 public class Son extends Father{
7 public void method(){
8 System.out.println("子类方法"+this.getClass());
9 }
10 public static void main(String[] args){
11 Father instance = new Son();
12 instance.method();
13 }
14 }
15 //结果:子类方法:class Son
复制代码

  2. 子类没有重写父类中的方法,所以到父类中寻找相应的方法

复制代码
public class Father{
public void method(){
System.out.println("父类方法:"+this.getClass());
}
}
public class Son extends Father{
public static void main(String[] args){
Father instance = new Son();
instance.method();
}
}
//结果:父类方法:class Son
复制代码

三、动态绑定只是针对对象的方法,对于属性无效。因为属性不能被重写。

复制代码
 1 public class Father{
2 public String name = "父亲属性";
3 }
4 public class Son extends Father{
5 public String name = "孩子属性";
6
7 public static void main(String[] args){
8 Father instance = new Son();
9 System.out.println(instance.name);
10 }
11 }
12 //结果:父亲属性
复制代码


【Stay Hungry, Stay Foolish】

0 0
原创粉丝点击