4

我有两个使用 varargs int 和 long 的重载方法。当我运行一个通过整数的测试时,它似乎更喜欢 varargs long 方法。然而,如果我将方法设为静态并使用整数运行,它似乎更喜欢 varargs int 方法。这里发生了什么?

void varargs(int... i){

    System.out.println("Inside int varargs");
    for(int x : i)
        System.out.println(x);
}

void varagrs(long... l){

    System.out.println("Inside long varargs");
    for(long x : l)
        System.out.println(x);
}

static void staticvarargs(int...i)
{
    System.out.println("Inside static int varargs");
    for(int x : i)
        System.out.println(x);
}

static void staticvarargs(long...l)
{
    System.out.println("Inside static long varargs");
    for(long x : l)
        System.out.println(x);
}

public static void main(String args[]){
    VarArgs va = new VarArgs();
    va.varagrs(1);
    staticvarargs(1);
}

输出:

内部长可变参数 1

内部静态 int 可变参数 1

编辑:我应该选择更好的方法名称。有一个错字可变参数,可变参数。感谢 zhong.j.yu 指出这一点。

更正的代码和预期的行为:

void varargs(int... i){

    System.out.println("Inside int varargs");
    for(int x : i)
        System.out.println(x);
}

void varargs(long... l){

    System.out.println("Inside long varargs");
    for(long x : l)
        System.out.println(x);
}

static void staticvarargs(int...i)
{
    System.out.println("Inside static int varargs");
    for(int x : i)
        System.out.println(x);
}

static void staticvarargs(long...l)
{
    System.out.println("Inside static long varargs");
    for(long x : l)
        System.out.println(x);
}

public static void main(String args[]){
    VarArgs va = new VarArgs();
    va.varargs(1);
    staticvarargs(1);
}

输出:

内部 int 可变参数 1

内部静态 int 可变参数 1

4

1 回答 1

3

It's a typo

void varagrs(long... l){
         ^^ 

That's why it's nice to have an IDE with spell checking (e.g. IntelliJ)

After fixing the typo, the compiler chooses (int...) over (long...) because int is a subtype of long (4.10.1), so the 1st method is more specific (15.12.2.5). Note though int[] is not a subtype of long[] (4.10.3).

于 2013-04-27T14:32:28.087 回答