46

我试图了解 java 如何处理函数调用中的歧义。在下面的代码中,对的调用method是模棱两可的,但method2不是!!!。

我觉得两者都是模棱两可的,但是为什么当我注释掉对 的调用时会编译method?为什么method2不模棱两可?

public class A {
    public static <K> List<K> method(final K arg, final Object... otherArgs) {
        System.out.println("I'm in one");
        return new ArrayList<K>();
    }

    public static <K> List<K> method(final Object... otherArgs) {
        System.out.println("I'm in two");
        return new ArrayList<K>();
    }

    public static <K, V> Map<K, V> method2(final K k0, final V v0, final Object... keysAndValues) {
        System.out.println("I'm in one");
        return new HashMap<K,V> ();
    }

    public static <K, V> Map<K, V> method2(final Object... keysAndValues) {
        System.out.println("I'm in two");
        return new HashMap<K,V>();
    }

    public static void main(String[] args) {
        Map<String, Integer> c = A.method2( "ACD", new Integer(4), "DFAD" );
        //List<Integer> d = A.method(1, "2", 3  );
    }
}

编辑:这出现在评论中:到目前为止,许多 IDE 都报告为模棱两可 - IntelliJ 和 Netbeans。但是,它可以从命令行/maven 编译得很好。

4

1 回答 1

14

一个直观的测试是否method1method2查看是否method1可以通过method2使用相同参数调用来实现更具体的方法

method1(params1){
    method2(params1);   // if compiles, method1 is more specific than method2
}

如果有可变参数,我们可能需要扩展一个可变参数,以便 2 个方法具有相同数量的参数。

让我们检查method()一下示例中的前两个

<K> void method_a(K arg, Object... otherArgs) {
    method_b(arg, otherArgs);   //ok L1
}
<K> void method_b(Object arg, Object... otherArgs) { // extract 1 arg from vararg
    method_a(arg, otherArgs);   //ok L2
}

(返回类型不用于确定特异性,因此省略)

两者都编译,因此每个都比另一个更具体,因此模棱两可。您method2()的 s 也是如此,它们比彼此更具体。因此,对的调用method2()是模棱两可的,不应该编译;否则它是一个编译器错误。


这就是规范所说的;但这合适吗?当然,method_a看起来比method_b. 实际上,如果我们有一个具体的类型而不是K

void method_a(Integer arg, Object... otherArgs) {
    method_b(arg, otherArgs);   // ok
}
void method_b(Object arg, Object... otherArgs) {
    method_a(arg, otherArgs);   // error
}

then onlymethod_a比 更具体method_b,反之则不然。

这种差异源于类型推断的魔力。L1/L2调用没有显式类型参数的泛型方法,因此编译器尝试推断类型参数。类型推断算法的目标是找到类型参数以便代码编译!难怪 L1 和 L2 编译。L2实际上是推断为this.<Object>method_a(arg, otherArgs)

类型推断试图猜测程序员想要什么,但有时猜测肯定是错误的。我们真正的意图其实是

<K> void method_a(K arg, Object... otherArgs) {
    this.<K>method_b(arg, otherArgs);   // ok
}
<K> void method_b(Object arg, Object... otherArgs) {
    this.<K>method_a(arg, otherArgs);   // error
}
于 2012-05-18T15:06:03.250 回答