設計模式--迭代器模式Iterator(行為型)

benbenxiongyuan發表於2014-04-15

1 定義:

1.1 定義:Provide a way to access the elements of an aggregate object sequentially without exposing its underlying representation.(它提供一種方法訪問一個容器物件中各個元素,而又不暴露該物件的內部細節。)

此模式是一個沒落的模式,基本上沒人會單獨寫一個迭代器模式。沒落的原因是,絕大多數需要迭代器的場合,都已經有了標準的實現。

1.2 通用類圖:

一個更便於理解的類圖:

1.3 通用程式碼:

 
public interface Aggregate {
	// 是容器必然有元素的增加
	public void add(Object object);

	// 減少元素
	public void remove(Object object);

	// 由迭代器來遍歷所有的元素
	public Iterator iterator();
}

public class ConcreteAggregate implements Aggregate {
	// 容納物件的容器
	private Vector vector = new Vector();

	// 增加一個元素
	public void add(Object object) {
		this.vector.add(object);
	}

	// 返回迭代器物件
	public Iterator iterator() {
		return new ConcreteIterator(this.vector);
	}

	// 刪除一個元素
	public void remove(Object object) {
		this.vector.remove(object);
	}
}

public interface Iterator {
	// 遍歷到下一個元素
	public Object next();

	// 是否已經遍歷到尾部
	public boolean hasNext();

	// 刪除當前指向的元素
	public boolean remove();

	// 返回當前指向的元素
	public Object currentItem();
}

public class ConcreteIterator implements Iterator {
	private Vector vector = new Vector();
	// 定義當前遊標
	public int cursor = 0;

	@SuppressWarnings("unchecked")
	public ConcreteIterator(Vector _vector) {
		this.vector = _vector;
	}

	// 判斷是否到達尾部
	public boolean hasNext() {
		if (this.cursor == this.vector.size()) {
			return false;
		} else {
			return true;
		}
	}

	// 返回下一個元素
	public Object next() {
		Object result = null;
		if (this.hasNext()) {
			result = this.vector.get(this.cursor++);
		} else {
			result = null;
		}
		return result;
	}

	// 刪除當前元素
	public boolean remove() {
		this.vector.remove(this.cursor);
		return true;
	}

	// 返回當前指向的元素
	public Object currentItem() {
		return this.vector.get(this.cursor);
	}
}

public class Client {
	public static void main(String[] args) {
		// 宣告出容器
		Aggregate agg = new ConcreteAggregate();
		// 產生物件資料放進去
		agg.add("abc");
		agg.add("aaa");
		agg.add("1234");
		// 遍歷一下
		Iterator iterator = agg.iterator();
		while (iterator.hasNext()) {
			System.out.println(iterator.next());
		}
	}
}


2 優點

方便遍歷容器中的元素。

3 缺點

暫無

4 應用場景

XDKPHPPerl,等。。。

5 注意事項

儘量不要自己寫迭代器模式,看是否已提供。

6 擴充套件

轉自:http://blog.csdn.net/yuanlong_zheng/article/details/7584775

相關文章