定义
提供一种方法,顺序访问一个集合对象中的各个元素,而又不暴露该的对象的内部表示。
行为型
适用场景
- 访问一个集合对象的内容而无需暴露它的内部表示
- 为遍历不同的集合结构提供一个统一的接口
##优点和缺点
优点
缺点
结构
- *抽象聚合角色 :定义存储、添加、删除、集合对象以及创建迭代器对象的接口
- 具体聚合角色 :实现抽象集合,返回一个具体迭代器的实例
- 抽象迭代器角色 :定义访问和遍历聚合元素的接口,通常包括hasNext(),first(),next()等方法
- 具体迭代器角色 :实现抽象迭代器接口中所定义的方法,完成对聚合对象的遍历,记录遍历的当前位置
代码实现
创建抽象聚合接口,定义方法
| 12
 3
 4
 5
 
 | public interface Aggregate {public void add(Object obj);
 public void remove(Object obj);
 public Iterator getIterator();
 }
 
 | 
实现抽象聚合接口
| 12
 3
 4
 5
 6
 7
 8
 9
 10
 11
 12
 
 | public class ConcreteAggregate implements Aggregate {private List<Object> list = new ArrayList<Object>();
 public void add(Object obj) {
 list.add(obj);
 }
 public void remove(Object obj) {
 list.remove(obj);
 }
 public Iterator getIterator() {
 return (new ConcreteIterator(list));
 }
 }
 
 | 
创建迭代器接口
| 12
 3
 4
 5
 
 | public interface Iterator {Object first();
 Object next();
 boolean hasNext();
 }
 
 | 
创建迭代器接口具体实现
| 12
 3
 4
 5
 6
 7
 8
 9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 
 | public class ConcreteIterator implements Iterator {private List<Object> list = null;
 private int index = -1;
 public ConcreteIterator(List<Object> list) {
 this.list = list;
 }
 public boolean hasNext() {
 if (index < list.size() - 1) {
 return true;
 } else {
 return false;
 }
 }
 public Object first() {
 index = 0;
 Object obj = list.get(index);
 ;
 return obj;
 }
 public Object next() {
 Object obj = null;
 if (this.hasNext()) {
 obj = list.get(++index);
 }
 return obj;
 }
 }
 
 | 
调用迭代器
| 12
 3
 4
 5
 6
 7
 8
 9
 10
 11
 12
 13
 14
 
 | public class Test {public static void main(String[] args) {
 Aggregate ag = new ConcreteAggregate();
 ag.add("中山大学");
 ag.add("华南理工");
 ag.add("韶关学院");
 System.out.println("聚合的内容有:");
 Iterator it = ag.getIterator();
 while (it.hasNext()) {
 Object ob = it.next();
 System.out.println(ob.toString() + "\t");
 }
 }
 }
 
 | 
输出结果
| 12
 3
 4
 
 | 聚合的内容有:中山大学
 华南理工
 韶关学院
 
 | 
UML类图
