从ArrayList中删除对象

时间:2012-04-23 07:02:41

标签: java arraylist

我想从ArrayList中删除一个元素,其长度等于作为整数传递的数字。我的代码如下。运行时,程序在使用UnsupportedOperationException方法时会在行中抛出remove()。实际上,这是一个编码问题。

public static List<String> wordsWithoutList(String[] words, int len) {    
    List<String> list = new ArrayList<String>();

    list = Arrays.asList(words);

    for(String str : list) {
        if(str.length() == len) {
            list.remove(str);
        }
    }
    return l;       
}

1 个答案:

答案 0 :(得分:10)

asList返回的列表不是ArrayList - 它不支持修改。

你需要做

public static List<String> wordsWithoutList(String[] words, int len) {

    List<String> l = new ArrayList<String>( Arrays.asList(words) );

    for( Iterator<String> iter = l.iterator(); iter.hasNext(); ){
        String str = iter.next();
        if(str.length()==len){
            iter.remove();
        }
    }
    return l;       
}

所以有两件事:

  • 使用asList构造函数制作ArrayList返回的数组的可修改副本。
  • 使用迭代器的remove来避免使用ConcurrentModificationException

有人指出,这可能效率低下,因此更好的选择是:

List<String> l = new ArrayList<String>(str.length());
                                   //  ^^ initial capacity optional
for( String str : words )
    if( str.length()!=len)
        l.add(str);

return l;