1

作为两个函数

foo(Object... obj)
{
for(int i=0;i<obj.length;i++)
System.out.println(obj[i]);
}

foo(Object [] obj)
{
for(int i=0;i<obj.length;i++)
    System.out.println(obj[i]);
}

并且可以完成函数调用

foo(obj,str,1);

foo({obj,str,1});

分别执行相同的功能,后者从 java 的一开始就存在,那么为什么要实现 Object... obj

哪个更好,为什么?

4

3 回答 3

5

这些...函数是一种语法糖——它们提供了更方便的语法(没有大括号),而不会改变其他任何东西,包括性能。编译器在后台做同样的事情,让你使用更方便的语法。

于 2012-11-28T04:14:02.293 回答
1

这不起作用:

foo({obj, str, 1});

你需要做:

foo(new Object[] {obj, str, 1});

这很尴尬,我非常感谢可变参数语法。从功能上讲,您是正确的,它们是相同的。

于 2012-11-28T04:13:53.060 回答
0

加上一个语法糖......所以它只是意味着它可以让你的代码更好。这是一个例子:

public class App {

    public static void main(String[] args) {
        Object obj = new Object();
        String str = "test";
        varArgsFoo(obj, str, 1); //Don't have to use an Array...
        varArgsFoo(new Object[]{obj, str, 1}); //But you can if it suits you.
        arrayFoo(new Object[]{obj, str, 1}); // Compiles, but you MUST pass in an Array.
        arrayFoo(obj, str, 1); // Won't compile!!! Varargs won't work if an array is expected.

    }

    /**
     * Can use simply a variable number of arguments, or an array whatever you like.
     * @param obj
     */
    static void varArgsFoo(Object... obj) {
        for (int i = 0; i < obj.length; i++) {
            System.out.println(obj[i]);
        }
    }

    /**
     * Must use an array, varargs (the ... notation) won't work.
     *
     * @param obj
     */
    static void arrayFoo(Object[] obj) {
        for (int i = 0; i < obj.length; i++) {
            System.out.println(obj[i]);
        }
    }
}
于 2012-11-28T04:23:08.093 回答