java中fail-fast 和 fail-safe的区别

来源:互联网 发布:透视内裤软件 编辑:程序博客网 时间:2024/05/18 01:32

原文地址:http://blog.csdn.net/ch717828/article/details/46892051

在我们详细讨论这两种机制的区别之前,首先得先了解并发修改。
1.什么是同步修改?
当一个或多个线程正在遍历一个集合Collection,此时另一个线程修改了这个集合的内容(添加,删除或者修改)。这就是并发修改
(这两种机制主要是针对迭代器而言的)

  • 什么是 fail-fast 机制?

fail-fast机制在遍历一个集合时,当集合结构被修改,会抛出Concurrent Modification Exception。
fail-fast会在以下两种情况下抛出ConcurrentModificationException
(1)单线程环境
集合被创建后,在遍历它的过程中修改了结构。
注意 remove()方法会让expectModcount和modcount 相等,所以是不会抛出这个异常。
(2)多线程环境
当一个线程在遍历这个集合,而另一个线程对这个集合的结构进行了修改。

注意:迭代器的快速失败行为无法得到保证,因为一般来说,不可能对是否出现不同步并发修改做出任何硬性保证。快速失败迭代器会尽最大努力抛出 ConcurrentModificationException。因此,为提高这类迭代器的正确性而编写一个依赖于此异常的程序是错误的做法:迭代器的快速失败行为应该仅用于检测 bug。

  • fail-fast机制是如何检测的?

迭代器在遍历过程中是直接访问内部数据的,因此内部的数据在遍历的过程中无法被修改。为了保证不被修改,迭代器内部维护了一个标记 “mode” ,当集合结构改变(添加删除或者修改),标记”mode”会被修改,而迭代器每次的hasNext()和next()方法都会检查该”mode”是否被改变,当检测到被修改时,抛出Concurrent Modification Exception

  • fail-safe机制

fail-safe任何对集合结构的修改都会在一个复制的集合上进行修改,因此不会抛出ConcurrentModificationException
fail-safe机制有两个问题
(1)需要复制集合,产生大量的无效对象,开销大
(2)无法保证读取的数据是目前原始数据结构中的数据。

例子:

import java.util.HashMap;import java.util.Iterator;import java.util.Map;public class FailFastExample{    public static void main(String[] args)    {        Map<String,String> premiumPhone = new HashMap<String,String>();        premiumPhone.put("Apple", "iPhone");        premiumPhone.put("HTC", "HTC one");        premiumPhone.put("Samsung","S5");        Iterator iterator =             premiumPhone.keySet().iterator();        while (iterator.hasNext())        {            System.out.println(                premiumPhone.get(iterator.next())            );            premiumPhone.put("Sony", "Xperia Z");        }      }}

以上代码会抛出异常

import java.util.concurrent.ConcurrentHashMap;import java.util.Iterator;public class FailSafeExample{    public static void main(String[] args)    {        ConcurrentHashMap<String,String>         phone = new ConcurrentHashMap<String,String>();        phone.put("Apple", "iPhone");        phone.put("HTC", "HTC one");        phone.put("Samsung","S5");        Iterator iterator=phone.keySet().iterator();        while (iterator.hasNext()){            System.out.println(                premiumPhone.get(iterator.next())            );            premiumPhone.put("Sony", "Xperia Z");        }    }}
原创粉丝点击