我试图用下面的代码段将包含整数对象的数组列表转换为原始int[],但它抛出编译时错误。可以在Java中转换吗?

List<Integer> x =  new ArrayList<Integer>();
int[] n = (int[])x.toArray(int[x.size()]);

当前回答

如果您正在使用Eclipse Collections,您可以使用collectInt()方法从对象容器切换到原始int容器。

List<Integer> integers = new ArrayList<>(Arrays.asList(1, 2, 3, 4, 5));
MutableIntList intList =
  ListAdapter.adapt(integers).collectInt(i -> i);
Assert.assertArrayEquals(new int[]{1, 2, 3, 4, 5}, intList.toArray());

如果可以将数组列表转换为FastList,就可以摆脱适配器。

Assert.assertArrayEquals(
  new int[]{1, 2, 3, 4, 5},
  Lists.mutable.with(1, 2, 3, 4, 5)
    .collectInt(i -> i).toArray());

注意:我是Eclipse集合的提交者。

其他回答

Apache Commons有一个ArrayUtils类,它有一个方法toPrimitive()来完成这个任务。

import org.apache.commons.lang.ArrayUtils;
...
    List<Integer> list = new ArrayList<Integer>();
    list.add(new Integer(1));
    list.add(new Integer(2));
    int[] intArray = ArrayUtils.toPrimitive(list.toArray(new Integer[0]));

然而,正如Jon所展示的,自己做这件事非常容易,而不是使用外部库。

接下来的行你可以找到转换从int[] ->列表-> int[]

   private static int[] convert(int[] arr) {
        List<Integer> myList=new ArrayList<Integer>();
        for(int number:arr){
               myList.add(number);
            }
        }
        int[] myArray=new int[myList.size()];
        for(int i=0;i<myList.size();i++){
           myArray[i]=myList.get(i);
        }
        return myArray;
    }

如果您正在使用Eclipse Collections,您可以使用collectInt()方法从对象容器切换到原始int容器。

List<Integer> integers = new ArrayList<>(Arrays.asList(1, 2, 3, 4, 5));
MutableIntList intList =
  ListAdapter.adapt(integers).collectInt(i -> i);
Assert.assertArrayEquals(new int[]{1, 2, 3, 4, 5}, intList.toArray());

如果可以将数组列表转换为FastList,就可以摆脱适配器。

Assert.assertArrayEquals(
  new int[]{1, 2, 3, 4, 5},
  Lists.mutable.with(1, 2, 3, 4, 5)
    .collectInt(i -> i).toArray());

注意:我是Eclipse集合的提交者。

让我困惑的是,当一个完美的、使用良好的库(如Apache Commons)已经解决了问题时,我们却鼓励一次性的自定义方法。尽管解决方案是微不足道的,但由于长期维护和可访问性,鼓励这种行为是不负责任的。

使用Apache Commons即可

如果你正在使用java-8,还有另一种方法可以做到这一点。

int[] arr = list.stream().mapToInt(i -> i).toArray();

它的作用是:

从列表中获取一个Stream<Integer> 通过将每个元素映射到自身(标识函数)来获取IntStream,并将每个Integer对象的int值解盒(从Java 5开始自动完成) 通过调用toArray获取int类型的数组

你也可以通过方法引用显式调用intValue,例如:

int[] arr = list.stream().mapToInt(Integer::intValue).toArray();

值得一提的是,如果列表中有任何空引用,则可以获得NullPointerException。这可以通过在流管道中添加一个过滤条件来轻松避免:

                       //.filter(Objects::nonNull) also works
int[] arr = list.stream().filter(i -> i != null).mapToInt(i -> i).toArray();

例子:

List<Integer> list = Arrays.asList(1, 2, 3, 4);
int[] arr = list.stream().mapToInt(i -> i).toArray(); //[1, 2, 3, 4]

list.set(1, null); //[1, null, 3, 4]
arr = list.stream().filter(i -> i != null).mapToInt(i -> i).toArray(); //[1, 3, 4]