1

这是我刚刚编写的代码的一部分。基本上,该类Document实现了Iterable接口。迭代器将像链表一样遍历节点。在remove方法中,我使用了nodeMapDocument类范围内的引用。但是this引用应该引用它Iterator本身,那么它怎么会找到那个对象呢?或者是Iterator一个子类Document

我以前没有想过这个问题。一下子就把自己弄糊涂了。

public class Document implements Iterable<DocumentNode> {
    Map<Integer, DocumentNode> nodeMap;

    public Iterator<DocumentNode> iterator() {
        return new Iterator<DocumentNode>() {
            DocumentNode node = nodeMap.get(0);

            @Override
            public boolean hasNext() {
                return node != null && node.next != null; 
            }

            @Override
            public DocumentNode next() {
                if (node == null) {
                    throw new IndexOutOfBoundsException();
                }
                return node.next;
            }

            @Override
            public void remove() {
                if (node == null) {
                    throw new IndexOutOfBoundsException();
                }
                if (node.prev != null) {
                    node.prev.next = node.next;
                }
                if (node.next != null) {
                    node.next.prev = node.prev;
                }
                nodeMap.remove(node.documentID);
            }
        };
    }
}
4

1 回答 1

1

迭代器是类的匿名内部类的一个实例Document。有两种内部类:

  • 静态内部类不附加到外部类的实例,它们只能访问自己的成员和外部类的静态成员。
  • 非静态内部类在其创建的上下文中拥有对外部类实例的引用,因此它们可以直接访问外部类的非静态成员。这是代码中的迭代器是实例的类。
于 2013-03-10T18:48:11.183 回答