Java Collections hasnext()和next()方法

时间:2015-04-21 13:15:54

标签: java collections

Iterator是java中的一个接口,这个接口有两个主要方法 hasNext()和next()。

我们知道Iterator是一个接口,它无法实现这两种方法。 所以我想知道java在哪个类中实现了这两个方法。

我们使用这些方法迭代列表,集合和其他集合,所以这些方法实现了。 请建议我实现上述两种方法的类名。

2 个答案:

答案 0 :(得分:0)

Iterator的{​​{3}}提供了实施类的列表。

从那里开始,然后点击进入那些,你可以发现Iterator界面的各种实现。

IDE通常提供一种功能,允许您查看扩展的所有接口或实现给定接口的类。

答案 1 :(得分:0)

大多数Collection类使用私有内部类来实现Iterator实现,这些实现使用特定于实现的知识来更有效地进行迭代。

例如,java.util.ArrayList Iterator implementation from Java 6

请注意,它不是静态内部类,因此它可以引用ArrayList中的私有字段(modCount)来检查ConcurrentModificationExceptions

 /**
 * An optimized version of AbstractList.Itr
 */
private class Itr implements Iterator<E> {
    int cursor;       // index of next element to return
    int lastRet = -1; // index of last element returned; -1 if no such
    int expectedModCount = modCount;

    public boolean hasNext() {
        return cursor != size;
    }

    @SuppressWarnings("unchecked")
    public E next() {
        checkForComodification();
        int i = cursor;
        if (i >= size)
            throw new NoSuchElementException();
        Object[] elementData = ArrayList.this.elementData;
        if (i >= elementData.length)
            throw new ConcurrentModificationException();
        cursor = i + 1;
        return (E) elementData[lastRet = i];
    }

    public void remove() {
        if (lastRet < 0)
            throw new IllegalStateException();
        checkForComodification();

        try {
            ArrayList.this.remove(lastRet);
            cursor = lastRet;
            lastRet = -1;
            expectedModCount = modCount;
        } catch (IndexOutOfBoundsException ex) {
            throw new ConcurrentModificationException();
        }
    }

    final void checkForComodification() {
        if (modCount != expectedModCount)
            throw new ConcurrentModificationException();
    }
.... etc


}