迭代器

迭代器模式是提供一种方法,顺序访问集合对象内的各个元素,而又不暴露该对象的内部表示。

说白了,迭代器就是为容器服务的一种设计模式,在java中,当我们需要遍历HashSet的时候,通过iterator不停的next就可以循环遍历集合中的所有元素。

迭代器模式的组成

image

看看迭代器模式中的各个角色:

1.Iterator抽象迭代器
抽象迭代器负责定义访问和遍历元素的接口,而且基本上是有固定的3个方法:
first()获得第一个元素
next()访问下一个元素
hasNext()是否已经访问到底部

2.ConcreteIterator具体迭代器
具体迭代器角色要实现迭代器接口,完成容器元素的遍历。

3. Aggregate抽象容器
容器角色负责提供创建具体迭代器角色的接口,必然提供一个类似createIterator()这样的方法,在Java中一般是iterator()方法。

4.Concrete Aggregate具体容器
具体容器实现容器接口定义的方法,创建出容纳迭代器的对象。

代码示例

1.抽象迭代器
这里我们之间使用java给我提供好的Iterator接口。

public interface Iterator {

    boolean hasNext();

    E next();

    default void remove() {
        throw new UnsupportedOperationException("remove");
    }

    /**
     * Performs the given action for each remaining element until all elements
     * have been processed or the action throws an exception.  Actions are
     * performed in the order of iteration, if that order is specified.
     * Exceptions thrown by the action are relayed to the caller.
     *
     * @implSpec
     * 

The default implementation behaves as if: *

{@code
     *     while (hasNext())
     *         action.accept(next());
     * }
* * @param action The action to be performed for each element * @throws NullPointerException if the specified action is null * @since 1.8 */ default void forEachRemaining(Consumer action) { Objects.requireNonNull(action); while (hasNext()) action.accept(next()); } }

2.具体的迭代器(实现类)

public class ConcreteIterator implements Iterator {
     private Vector vector = new Vector();
     //定义当前游标
     public int cursor = 0;
     @SuppressWarnings("unchecked")
     public ConcreteIterator(Vector _vector){
             this.vector = _vector;
     }
     //判断是否到达尾部
     public boolean hasNext() {
             if(this.cursor == this.vector.size()){
                    return false;
             }else{
                    return true;
             }
     }
     //返回下一个元素
     public Object next() {
             Object result = null;
             if(this.hasNext()){
                    result = this.vector.get(this.cursor++);
             }else{
                    result = null;
             }
             return result;
     }
     //删除当前元素
     public boolean remove() {
             this.vector.remove(this.cursor);
             return true;
     }
}

3.容器接口

public interface Aggregate {
     //是容器必然有元素的增加
     public void add(Object object);
     //减少元素
     public void remove(Object object);
     //由迭代器来遍历所有的元素
     public Iterator iterator();
}

4.具体容器

public class ConcreteAggregate implements Aggregate {
     //容纳对象的容器
     private Vector vector = new Vector();
     //增加一个元素
     public void add(Object object) {
             this.vector.add(object);
     }
     //返回迭代器对象
     public Iterator iterator() {
             return new ConcreteIterator(this.vector);
     }
     //删除一个元素
     public void remove(Object object) {
             this.remove(object);
     }
}

作者:叫我不矜持
链接:https://www.jianshu.com/p/e4ed762c3de1

你可能感兴趣的:(迭代器)