JAVA动态绑定浅析

原文链接:https://segmentfault.com/a/1190000017509439

动态绑定

动态绑定作为Java多态特性的一个重要实现

有以下三个类:

public class Fruit {

    public static final String TAG = "Fruit";

    public Fruit() {
    }

    public void say() {
        Log.i(TAG, "say: i am fruit: ");
    }
}
public class Apple  extends  Fruit{

    public void say(){
        Log.i(TAG, "say:  i am apple");
    }
}
public class Orange extends Fruit {

    public void say(){
        Log.i(TAG, "say:  i am orange");
    }
}

其中Apple和Orange类都继承Fruit类。

然后在使用的时候

Fruit fruit = new Apple();
fruit.say();

我们都知道最后打印的结果是

debug I/Fruit: say: i am apple

很明显这就是Java多态特性的体现。

我们明明调用的是Fruit对象的方法。但是运行时却调用了Apple对象的方法,这是怎么实现的呢?这就涉及到了Java的动态绑定了。

这里确定两个概念:编译时类型与运行时类型

编译时类型就是指该对象在编译后的文件里的类型也就是该对象声明时的类型,而运行时类型是指在程序运行时动态指定的类型也就是该对象定义时的类型。如果编译时类型与运行时类型不一致就会发生运行时动态绑定。

比如上面定义的Fruit fruit = new Apple();

fruit的编译时类型是Fruit。

我们可以从编译后的class文件看出

#4 = Class              #243          // com/meiliwu/dragon/model/Apple
#5 = Methodref          #4.#241       // com/meiliwu/dragon/model/Apple."<init>":()V
#6 = Methodref          #244.#245     // com/meiliwu/dragon/model/Fruit.say:()V

我们可以从编译后的文件看出。fruit.say方法在编译后指向的是Fruit的say方法。但是运行时类型是Apple。运行时却是调用Apple的say方法。我们从日志可以看出来。

如果我们将代码改成这样

Apple fruit = new Apple();
fruit.say();

打印日志如下:

12-25 11:25:17.803 9709-9709/com.meiliwu.dragon.debug I/Fruit: say: i am apple

我们再看看编译后的文件

4 = Class              #243          // com/meiliwu/dragon/model/Apple
#5 = Methodref          #4.#241       // com/meiliwu/dragon/model/Apple."<init>":()V
#6 = Methodref          #4.#244       // com/meiliwu/dragon/model/Apple.say:()V

从代码可以看出编译时类型与运行时类型一致,这是不会发生动态绑定的,这时可以从编译后的class文件得出验证。

上一篇:openresty开发系列25--openresty中使用json模块


下一篇:Python实用技法第26篇:定义实现最短匹配的正则表达式