4

我想从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;       
}
4

1 回答 1

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;
于 2012-04-23T07:07:58.417 回答