关于迭代器的使用步骤说明(附代码解释)
A:通过集合对象获取迭代器对象。
B:通过迭代器对象判断。
C:通过迭代器对象获取。代码演示:
import java.util.ArrayList;
import java.util.Collection;
import java.util.Iterator;
public class IteratorDemo {
public static void main(String[] args) {
Collection c = new ArrayList();
c.add("hello");
c.add("world");
c.add("java");
//通过集合对象获取迭代器对象
Iterator it = c.iterator();//返回的是Iterator的子类对象,多态
//hasNext()通过迭代器对象判断是否还有元素
while (it.hasNext()) {
//next() 通过迭代器对象获取元素,并自动移动到下一个位置等待获取
String s = (String) it.next();
System.out.println(s);
}
}
}
|