在JDK中提供的方法经常可以看见可以接受多个参数的形式,如Arrays.asList
asList
public static <T> List<T> asList(T... a)
Returns a fixed-size list backed by the specified array. (Changes to the returned list "write through" to the array.) This method acts as bridge between array-based and collection-based APIs, in combination with Collection.toArray(). The returned list is serializable and implements RandomAccess.
This method also provides a convenient way to create a fixed-size list initialized to contain several elements:
List<String> stooges = Arrays.asList("Larry", "Moe", "Curly");
Parameters:
a - the array by which the list will be backed
Returns:
a list view of the specified array
--------------------------------------------------------------------------------
这样的内容是怎么实现的呢,看下面的一个例子:
package example;
public class VariableParameter {
public static void main(String[] args) {
System.out.println(add(123, 123, 123));
}
public static int add(int i,int... js){
for(int j : js)
i += j;
return i;
}
}
在add方法中可以看到,第一个参数是int i 而第二个参数形式为这样int... js ,int后面有三个点,这就是接收可变数量参数的写法,实际上,Java编译器会将第二个参数以数组的形式接受,也就是说int... js 也就类似于int[] js,所以在方法里面就可以把js当做数组来操作了。
值得注意的是:可变参数只能放在参数的最后面,否则会无法编译成功。
本文深入解析了Java中可变参数的使用方法及其内部实现机制,通过实例代码展示了如何在方法中接收并操作可变数量的参数,并强调了其在结合数组与集合API时的优势。
372

被折叠的 条评论
为什么被折叠?



