Java提高篇之隐藏静态方法

最近,我和一位同事在同一个签名的父类和子类中就静态方法进行了一次快速聊天。对话的来源是术语“隐藏”与“覆盖”,以及为什么“隐藏静态方法”是正确的并且可行,但“覆盖静态方法”是不正确的并且不起作用。

TL; DR“不能覆盖静态方法”,因为JVM在声明的引用类上执行静态方法,而不是定义的运行时/实例类。

一个简单的例子展示了几种不同的静态方法执行上下文,说明了结果:

package com.intertech.hidestaticmethod;

public class Parent {
    public static void doSomething() {
        System.out.println("PARENT");
    }
}
public class Child extends Parent {
    public static void doSomething() {
        System.out.println("CHILD");
    }

    public static void main(final String[] args) {
        final Parent parentAsParent = new Parent();
        // calls parent's
        parentAsParent.doSomething();

        final Parent childAsParent = new Child();
        // calls parent's
        childAsParent.doSomething();

        final Child childAsChild = new Child();
        // calls child's
        childAsChild.doSomething();

        // same class static context (most local)
        doSomething();
    }
}

主要方法注释说明执行结果。结果表明,被调用的静态方法是定义参考的方法。

将Child 作为Java应用程序(主要方法)输出:
PARENT
PARENT
CHILD
CHILD

这与使用更正确的静态引用调用替换实例方法调用没有区别:

public class Child extends Parent {
    public static void doSomething() {
        System.out.println("CHILD");
    }

    public static void main(final String[] args) {
        // calls parent's
        Parent.doSomething();

        // calls parent's
        Parent.doSomething();

        // calls child's
        Child.doSomething();

        // same class static context (most local)
        Child.doSomething();
    }
}

希望这篇文章帮助解释隐藏静态方法 - 为什么我们不能重写静态方法,但我们可以隐藏静态方法。

本文翻译于 Hiding Static Methods

你可能感兴趣的:(Java)