java集合框架中有些类(ArrayList、HashMap)等包含有modCount是什么意思

1、modCount是记录修改次数,出现在集合类(线程不安全)中的增、删函数中。
这个modCount与线程安全有关系。
HashMap中的部分源码如下:

private abstract class HashIterator implements Iterator {
        Entry next;        // next entry to return
        int expectedModCount;   // For fast-fail
        int index;              // current slot
        Entry current;     // current entry

        HashIterator() {
            expectedModCount = modCount;
            if (size > 0) { // advance to first entry
                Entry[] t = table;
                while (index < t.length && (next = t[index++]) == null)
                    ;
            }
        }
        
        final Entry nextEntry() {
            if (modCount != expectedModCount)
                throw new ConcurrentModificationException();
            Entry e = next;

如上代码所示,modCount只有在迭代器中才会使用;
在一个迭代器初始的时候会赋予它调用这个迭代器的对象的expectedModCount,如果在迭代器遍历的过程中,一旦发现这个对象的modCount和迭代器中存储的expectedModCount不一样那就抛异常


fail-fast机制
我们知道 java.util.HashMap 不是线程安全的,因此如果在使用迭代器的过程中有其他线程修改了map,那么将抛出ConcurrentModificationException,这就是所谓fail-fast策略。这一策略在源码中的实现是通过 modCount 域,modCount 顾名思义就是修改次数,对HashMap 内容的修改都将增加这个值,那么在迭代器初始化过程中会将这个值赋给迭代器的 expectedModCount。在迭代过程中,判断 modCount 跟 expectedModCount 是否相等,如果不相等就表示已经有其他线程修改了 Map。

你可能感兴趣的:(Java)