如何从java中的字符串数组中删除特定值?

时间:2012-10-10 05:08:32

标签: java

  

可能重复:
  Removing an element from an Array (Java)

如何删除特定的String数组值,例如

String[] str_array = {"item1","item2","item3"};

我想从str_array中删除“item2”请帮助我想要输出

String[] str_array = {"item1","item3"};

4 个答案:

答案 0 :(得分:22)

我会这样做:

String[] str_array = {"item1","item2","item3"};
List<String> list = new ArrayList<String>(Arrays.asList(str_array));
list.remove("item2");
str_array = list.toArray(new String[0]);

答案 1 :(得分:6)

如果必须使用数组,System.arraycopy是最有效,可扩展的解决方案。但是,如果必须多次从数组中删除一个元素,则应使用List的实现而不是数组。

以下使用System.arraycopy以达到预期效果。

public static Object[] remove(Object[] array, Object element) {
    if (array.length > 0) {
        int index = -1;
        for (int i = 0; i < array.length; i++) {
            if (array[i].equals(element)) {
                index = i;
                break;
            }
        }
        if (index >= 0) {
            Object[] copy = (Object[]) Array.newInstance(array.getClass()
                    .getComponentType(), array.length - 1);
            if (copy.length > 0) {
                System.arraycopy(array, 0, copy, 0, index);
                System.arraycopy(array, index + 1, copy, index, copy.length - index);
            }
            return copy;
        }
    }
    return array;
}

此外,如果您知道阵列仅包含Comparable个对象,则可以提高方法的效率。您可以使用Arrays.sort对它们进行排序,然后通过remove方法进行排序,修改为使用Arrays.binarySearch来查找索引而不是for循环,从O中提高方法效率的这一部分( n)到O(nlogn)。

答案 2 :(得分:5)

您可以使用ArrayUtils API将其删除。

array = ArrayUtils.removeElement(array, element);

答案 3 :(得分:1)

其他选项是将数组复制到另一个数组,然后删除项目。

 public static String[] removeItemFromArray(String[] input, String item) {
    if (input == null) {
        return null;
    } else if (input.length <= 0) {
        return input;
    } else {
        String[] output = new String[input.length - 1];
        int count = 0;
        for (String i : input) {
            if (!i.equals(item)) {
                output[count++] = i;
            }
        }
        return output;
    }
}