Java中的Iterator用法
阿新 • • 發佈:2018-11-03
迭代器定義:
迭代器是一種設計模式,它是一個物件。迭代器模式(Iterator Pattern)是 Java 和 .Net 程式設計環境中非常常用的設計模式,迭代器模式屬於行為型模式。這種模式用於順序訪問集合物件的元素,不需要知道集合物件的底層表示。
迭代器功能:Java中的Iterator功能簡單,並且只能單向移動遍歷
(1)iterator()方法:容器使用iterator()返回一個Iterator。
注意:iterator()方法是java.lang.Iterable介面,被Collection繼承。
(2)next()方法:使用next()獲得序列中的下一個元素。
(3)hasNext():使用hasNext()檢查序列中是否還有元素。
(4)remove():使用remove()將迭代器新返回的元素刪除。
Iterator介面原始碼:
package java.util;
import java.util.function.Consumer;
public interface Iterator<E> {
boolean hasNext();
E next();
default void remove() {
throw new UnsupportedOperationException("remove");
}
default void forEachRemaining(Consumer<? super E> action) {
Objects.requireNonNull(action);
while (hasNext(){
action.accept(next());
}
}
}