Iterator是一个迭代器接口,专门用来迭代各种Collection集合,包括Set集合和List集合。
java要求各种集合都提供一个iteratot()方法,该方法返回一个Iterator用于遍历集合中的元素。至于返回的Iterator是哪一种实现类我们并不关心,这就是典型的“迭代器模式”。
使用Iterator遍历集合元素,很好的隐藏了集合的内部细节。
Iterator接口包含以下三个方法:
boolean hasNext():如果被迭代的集合元素还没有被遍历,则返回true。
Object next():返回集合里下一个元素
void remove():移除集合里上一次next()返回的元素
例子:
public class IteratorTest {
public static void main(String[] args) {
Collection books = new HashSet();
books.add("计算机网络");
books.add("数字信号处理");
books.add("java语言程序设计");
//生成迭代器
Iterator it = books.iterator();
int i=0;
while(it.hasNext()){
//next()返回的数据是Object型,需要强制转化
String info = (String)it.next();
//输出遍历的每一个元素
System.out.println("第"+i+"个元素:"+info);
if(info.equals("数字信号处理")){
System.out.println(i);
it.remove(); //把《数字信号处理》从集合books中移除
}
i++;
}
//输出移除后的结果
System.out.println(books);
}
}
|