5

我玩弄java.util.HashMap以了解fail-fast行为是什么。

HashMap map = new HashMap();
map.put("jon", 10);
map.put("sean", 11);
map.put("jim", 12);
map.put("stark", 13);
map.put("vic", 14);
Set keys = map.keySet();
for(Object k:keys) {
    System.out.println(map.get(k));
}

for(Object k:keys) {
   String key =(String)k;
   if(key.equals("stark")) {
      map.remove(key);
    }
}

System.out.println("after modifn");
for(Object k:keys) {
    System.out.println(map.get(k));
}

我得到了结果

12
11
10
14
13
after modifn
12
11
10
14

我也尝试过使用迭代器

Iterator<String> itr = keys.iterator();
while(itr.hasNext()) {
    String key = itr.next();
    if(key.equals("stark")) {
        map.remove(key);
    }
}

在这两种情况下我都没有得到任何ConcurrentModificationException..这是因为(来自 javadoc)

无法保证迭代器的快速失败行为,因为一般来说,在存在不同步的并发修改的情况下,不可能做出任何硬保证。快速失败的迭代器会尽最大努力抛出 ConcurrentModificationException

我检查了另一个线程,上面写着,它会抛出ConcurrentModificationException..你觉得呢?

4

1 回答 1

6

鉴于您显示的输出:

12
11
10
14
13   // notice this?
after modifn
12
11
10
14

由于 13 是最后一个键值对,当您Iterate通过您的HashMap然后最终删除与 对应的键值时,在 被修改后stark 13停止,因此,它不再存在。所以不行IterationHashMapiterateConcurrentModificationException.

于 2012-06-19T04:16:42.017 回答