Java - 将列表的元素作为参数传递给无限制参数方法

时间:2014-02-18 18:42:53

标签: java

我有一个无限参数的方法:

void X(Object... values){};

用户应输入的未知列表。

现在我想将该列表的所有元素传递给方法X,比如

this.X(list.get(0), list.get(1)......);

有人可以告诉我该怎么做吗?

2 个答案:

答案 0 :(得分:5)

您可以将单个项目或项目数组传递给此类varargs方法。使用toArray method

将列表转换为数组以将其传入
this.X(list.toArray());

答案 1 :(得分:5)

声明为

的方法
void X(Object... values){};

类似于声明为

的方法
void X(Object[] values){};

并且可以使用Object[]调用,但只有第一个可以使用可变数量的参数调用。您可以将列表转换为使用List.toArray()的数组,以便调用X(list.toArray())。以下示例代码演示:

import java.util.Arrays;

public class VarargsExample {

    public static void foo( Object... args ) { 
        System.out.println( "foo: "+Arrays.toString( args ));
    }

    public static void bar( Object[] args ) {
        System.out.println( "bar: "+Arrays.toString( args ));
    }

    public static void main(String[] args) {
        // only foo can be called with variable arity arguments
        foo( 1, 2, 3 );
        // bar( 4, 5, 6 ); // won't compile 

        // both methods can be called with object arrays
        foo( new Object[] { 7, 8, 9 } );
        bar( new Object[] { 10, 11, 12 } );

        // so both can be called with List#toArray results
        foo( Arrays.asList( 13, 14, 15 ).toArray() );
        bar( Arrays.asList( 16, 17, 18 ).toArray() );
    }
}
foo: [1, 2, 3]
foo: [7, 8, 9]
bar: [10, 11, 12]
foo: [13, 14, 15]
bar: [16, 17, 18]