java – 它不会抛出异常ConcurrentModificationException

前端之家收集整理的这篇文章主要介绍了java – 它不会抛出异常ConcurrentModificationException前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我有下面的代码,我会期望它抛出一个ConcurrentModificationException,但它运行成功.为什么会发生这种情况?
public void fun(){
    List <Integer>lis = new ArrayList<Integer>();
    lis.add(1);
    lis.add(2);

    for(Integer st:lis){
        lis.remove(1);
        System.out.println(lis.size());
    }
}

public static void main(String[] args) {
    test t = new test();
    t.fun();
}

解决方法

List上的remove(int)方法删除指定位置的元素.在开始循环之前,您的列表如下所示:
[1,2]

然后在列表中启动一个迭代器:

[1,2]
 ^

您的for循环然后删除位置1的元素,它是数字2:

[1]
 ^

迭代器在下一个隐含的hasNext()调用中返回false,循环终止.

如果您向列表中添加更多元素,则会得到ConcurrentModificationException.那么隐含的next()将会抛出.

作为一个注释,从Javadoc的ArrayList从JCF:

Note that the fail-fast behavior of an iterator cannot be guaranteed as it is,generally speaking,impossible to make any hard guarantees in the presence of unsynchronized concurrent modification. fail-fast iterators throw ConcurrentModificationException on a best-effort basis. Therefore,it would be wrong to write a program that depended on this exception for its correctness: the fail-fast behavior of iterators should be used only to detect bugs.

这可能实际上是Oracle ArrayList迭代器实现中的一个错误; hasNext()不检查修改

public boolean hasNext() {
    return cursor != size;
}
原文链接:https://www.f2er.com/java/125301.html

猜你在找的Java相关文章