Intermediate Object-Oriented Programming in Python
Jake Roach
Data Engineer
Classes that allow for a collection of objects or data stream to be traversed, and return one item at a time
list
's, tuple
's, but act differentlyfor
loopsnext()
function$$
Iterator protocol...
# Collection
chuck = NameIterator("Charles Carmicheal")
for letter in chuck:
print(letter)
C
h
u
...
# Data stream
fun_game = DiceGame(rolls=3)
next(fun_game) # ... and so on
4
__iter__()
... return self
$$
__next__()
$$
Both __iter__()
and __next__()
must be defined for a class to be considered an iterator!
class CoinFlips:
def __init__(self, number_of_flips):
self.number_of_flips = number_of_flips # Store the total number of flips
self.counter = 0
def __iter__(self):
return self # Return a reference of the iterator
# Flip the next coin, return the output
def __next__(self):
if self.counter < self.number_of_flips:
self.counter += 1
return random.choice(["H", "T"])
three_flips = CoinFlips(3)
# Flip the coin three times
next(three_flips)
next(three_flips)
next(three_flips)
H
H
T
three_flips = CoinFlips(3)
# Now, try to loop through every element of the iterator
for flip in three_flips:
print(flip)
T
H
T
None
None
None
...
...
def __next__(self):
# Only do this if the coin hasn't been flipped "number_of_flips" times
if self.counter < self.number_of_flips:
self.counter += 1
return random.choice(["H", "T"])
else: # Otherwise, stop execution with StopIteration
raise StopIteration
three_flips = CoinFlips(3)
# Now, try to loop through every element of the iterator
for flip in three_flips:
print(flip)
H
T
H
while True:
try:
next(three_flips) # Pull the next element of three_flips
# Catch a stop iteration exception
except StopIteration:
print("Completed all coin flips!")
break
H
H
H
Completed all coin flips!
Intermediate Object-Oriented Programming in Python