对于迭代器模式,就是我们在集合中用到的迭代器一样,我们要做的就是实现java中的Iterator接口所用到的方法即可。 这种模式分为四部分: 自己的迭代器接口, 迭代器接口的实现类, 自己创建的集合接口, 集合接口的实现类 网络上的专业解释: 这种模式用来顺序遍历集合对象的元素,不需要知道季和对象的底层表示。
实例:用迭代器模式完成对自己创建的List集合的遍历。
以下是我对此实例画的类图:
以下是我编写的代码:
1.编写迭代器接口类
interface MyIterator {
boolean hasNext();
Object next();
}
2.编写迭代器接口的实现类
public class ConcreteIterator implements MyIterator{
private Container container;
private static int index=0;
public ConcreteIterator(Container container) {
this.container = container;
}
@Override
public boolean hasNext() {
if(index==container.getLists().size()){
return false;
}
return true;
}
@Override
public Object next() {
return container.getLists().get(index++);
}
}
3.编写要使用迭代器的容器接口
interface Container {
void remove(int index);
void add(Object o);
ConcreteIterator getIterator();
List getLists();
}
4.编写容器接口的实现类(写一个自己的List集合)
public class MyList implements Container {
private static final List lists=new ArrayList<>();
@Override
public void remove(int index) {
lists.remove(index);
}
public List getLists() {
return lists;
}
@Override
public void add(Object o) {
lists.add(o.toString());
}
@Override
public ConcreteIterator getIterator() {
return new ConcreteIterator(this);
}
}
5.测试我们自己做的迭代器
public class Test {
public static void main(String[] args) {
MyList my=new MyList();
my.add("qwqwq0");
my.add("qwqwq1");
my.add("qwqwq2");
my.add("qwqwq3");
my.add("qwqwq4");
ConcreteIterator ci=my.getIterator();
while(ci.hasNext()){
String str=(String) ci.next();
System.out.println(str);
}
}
}
6.后台运行输出
qwqwq0
qwqwq1
qwqwq2
qwqwq3
qwqwq4
对于这种模式,我只是单纯的写了一个实现Iterator接口的小程序,也是可以用这种模式编写一种可以遍历其他东西的小程序,比如:某个对象,或者任何一种集合。当然,你要用这种模式写一个遍历数组的小程序,我拦不住,毕竟我们用for循环来遍历数组的时候会更简单,何必要写这个呢? 这种模式的优点:
1.隐藏了迭代器的细节代码,安全性高
2.如果想对另一个东西再添加一个遍历其他对象的迭代器的话,我们可以继续实现迭代器接口以及容器接口即可完美扩展功能,不用修改源代码,这符合”开闭原则”
缺点:
1.我们要扩展功能的话,系统中的类会成对增加,这样会使系统更复杂,提高系统的复杂性。