从数组中删除元素

Java 没有在 java.util.Arrays 中提供从数组中删除元素的直接方法。要执行它,你可以将原始数组复制到新数组,而不删除元素或将数组转换为允许删除的另一个结构。

使用 ArrayList

你可以将数组转换为 java.util.List ,删除元素并将列表转换回数组,如下所示:

String[] array = new String[]{"foo", "bar", "baz"};

List<String> list = new ArrayList<>(Arrays.asList(array));
list.remove("foo");

// Creates a new array with the same size as the list and copies the list
// elements to it.
array = list.toArray(new String[list.size()]);

System.out.println(Arrays.toString(array)); //[bar, baz]

使用 System.arraycopy

System.arraycopy() 可用于制作原始数组的副本并删除所需的元素。下面是一个例子:

int[] array = new int[] { 1, 2, 3, 4 }; // Original array.
int[] result = new int[array.length - 1]; // Array which will contain the result.
int index = 1; // Remove the value "2".

// Copy the elements at the left of the index.
System.arraycopy(array, 0, result, 0, index);
// Copy the elements at the right of the index.
System.arraycopy(array, index + 1, result, index, array.length - index - 1);

System.out.println(Arrays.toString(result)); //[1, 3, 4]

使用 Apache Commons Lang

要轻松删除元素,你可以使用 Apache 的百科全书郎库,尤其是静态方法 removeElement()类的 ArrayUtils 。下面是一个例子:

int[] array = new int[]{1,2,3,4};
array = ArrayUtils.removeElement(array, 2); //remove first occurrence of 2
System.out.println(Arrays.toString(array)); //[1, 3, 4]