当前位置: 代码迷 >> 综合 >> Design Patterns - Iterator
  详细解决方案

Design Patterns - Iterator

热度:94   发布时间:2023-10-21 05:00:07.0

Iterator(迭代器) — 对象行为型模式

提供一种方法顺序访问一个聚合对象中的各个元素,而又不需要暴露该对象的内部表示。

适用场景

  1. 访问一个聚合对象的内容而无须暴露它的内部表示。
  2. 支持对聚合对象的多种遍历。
  3. 为遍历不同的聚合结构提供一个统一的接口(即支持多肽迭代)。

UML图

Design Patterns - Iterator

效果

  1. 支持以不同的方式遍历一个聚合
  2. 简化了聚合的接口
  3. 在同一个聚合上可以有多个遍历

实现

import re
import reprlibRE_WOR = re.compile('\w+')class Sentence:def __init__(self, text):self.text = textself.words = RE_WOR.findall(text)def __repr__(self):return 'Sentence(%s)' % reprlib.repr(self.text)def __iter__(self):return SentenceIterator(self.words)class SentenceIterator:def __init__(self, words):self.words = wordsself.index = 0def __next__(self):try:word = self.words[self.index]except IndexError:raise StopIteration()self.index += 1return worddef __iter__(self):return self

client

if __name__ == "__main__":a = Sentence('"The time has come," the Walrus said,')for word in a:print(word)"""output The time has come the Walrus said """
  相关解决方案