In [1]:
# code for loading the format for the notebook
import os

# path : store the current path to convert back to it later
path = os.getcwd()
os.chdir(os.path.join('..', '..', 'notebook_format'))

from formats import load_style
load_style(plot_style=False)


Out[1]:

In [2]:
os.chdir(path)

# magic to print version
%load_ext watermark
%watermark -a 'Ethen' -d -t -v


Ethen 2017-08-23 15:19:09 

CPython 3.5.2
IPython 5.4.1

Understanding Iterables, Iterators and Generators

Iterables, Iterators

Let's begin by looking at a simple for loop.


In [3]:
x = [1, 2, 3]
for element in x:
    print(element)


1
2
3

It works as expected. The code prints the number 1, 2, 3 and then stops. The question now is, how does the loop constructs the work behind the scenes. i.e. How does the loop fetch individual elements from the object it is looping over and know when to stop?

The answer to the question is Python's iterator protocol:

Objects that support the iter and next dunder methods automatically work with for-in loops.

Before we answer the question, let's first introduce some terminologies.

  • An iterator is:
    • Object which defines a __next__ method and will produce the next value when we call next() on it. If there are no further items, it raises the StopIteration exception.
    • Object that is self-iterable (meaning that it has an iter method that returns self).
  • An iterable is anything that can be looped over. It either:
    • Has an __iter__ method which returns an iterator for that object when you call iter() on it, or implicitly in a for loop.
    • Defines a __getitem__ method that can take sequential indexes starting from zero (and raises an IndexError when the indexes are no longer valid)

Don't worry if it's a bit abstract at first glance. It will becomes much clearer as we work through a couple of examples. When Python sees a statement like for obj in object it will first call iter(object) to make it a iterator.


In [4]:
# the built-in function iter takes an
# iterable object and returns an iterator
iterator = iter(x)

# here x is the iterable
print(type(x))
print(type(iterator))


<class 'list'>
<class 'list_iterator'>

Then we can now loop through all available elements using the next built-in function.


In [5]:
# each time we call the next method on the iterator,
# it will give us the next element
print(next(iterator))
print(next(iterator))
print(next(iterator))


1
2
3

But notice what happens if we call next on the iterator again.


In [6]:
# if there are no more elements in the iterator,
# it raises a StopIteration exception
try:
    print(next(iterator))
except StopIteration as e:
    print('StopIteration raised')


StopIteration raised

We can see it raises a StopIteration exception to signal we've exhausted all of the available values in the iterator. Based on this experiment, we now know that iterators use exceptions to structure control flow. To signal the end of iteration, a Python iterator simply raises the built-in StopIteration exception. To sum it up, we we write:

x = [1, 2, 3]
for element in x:
    ...

This is what's actually happening under the hood:

We will now dive deeper and implement a class that allows us the use it in a for obj in object loop. To be more explicit, when we call the iter function on the object, it actually translates to calling the .__iter__() dunder method, this method must return the the iterator object. After that the loop will repeatedly call the iterator object's __next__ method to retrieve values from it. Often, for pragmatic reasons, iterable classes will implement both __iter__() and __next__() in the same class, and have __iter__() return self, which makes the class both an iterable and its own iterator. It is perfectly fine to return a different object as the iterator, though.

Let's apply the notion above in action, we will write a class that prints a value for a maximum number of times.


In [7]:
class Repeat:
    def __init__(self, value, max_repeats):
        self.value = value
        self.max_repeats = max_repeats
        self._count = 0

    def __iter__(self):
        # simply return the iterator object, since
        # all that matters is that __iter__ returns a
        # object with a __next__ method on it, which we
        # will implement below
        return self

    def __next__(self):
        # implement the stopping criterion
        if self._count >= self.max_repeats:
            raise StopIteration
        
        self._count += 1
        
        # simply returns the same value after iteration
        return self.value

In [8]:
repeater = Repeat(value = 'Hello', max_repeats = 3)
for item in repeater:
    print(item)


Hello
Hello
Hello

This implementation gives us the desired result. Iteration stops after the number of repetitions defined in the max_repeats parameter. If you've ever worked with database cursors, this mental model will seem familiar: We first initialize the cursor and prepare it for reading, and then we can fetch data into local variables as needed from it, one element at a time. Because there will never be more than one element in memory, this approach is highly memory-efficient.

Note that we can also take this class and implement it using the iter and next function way.


In [9]:
repeater = Repeat(value = 'Hello', max_repeats = 3)
iterator = iter(repeater)
while True:
    try:
        item = next(iterator)
    except StopIteration:
        break
    
    print(item)


Hello
Hello
Hello

But as we can see being able to write a three-line for-in loop instead of an eight lines long while loop is quite a nice improvement. It makes the code easier to read and more maintainable. And this is the reason why iterators in Python are such a powerful tool.

Generators

A generator is an object that lazily produces values (i.e. generates values on demand). A generator is either:

  • A function that contains the yield keyword (yield expression).
    • When this function is called, it does not execute, but returns a generator object.
    • When the end-user invokes the next() method on the function: It will execute the function, and when the function encounters the yield keyword, it suspends execution at that point, saves its context and returns the value to the caller
    • When the caller invokes next() again, execution of the function continues till another yield is encountered or end of function is reached.
  • A generator expression, i.e. a syntactic construct for creating an anonymous generator object. These are like list comprehensions but enclosed in () instead of [].

In [10]:
# generator expression:
# note that unlike list comprehension;
# the elements are lazily evaluated, i.e. they
# take up less memory since they are not created
# all at once, but instead return one element at
# a time whenever needed
nloop = 3

# The generator object is now created, ready to
# be iterated over
generator = (x ** 2 for x in range(nloop))

# the real processing happens during the iteration
for value in generator:
    print(value)
    

# generator function:
def gen(nloop):
    for x in range(nloop):
        yield x ** 2

generator = gen(nloop)
for value in generator:
    print(value)


0
1
4
0
1
4

One important thing to note about generator is that it only produces the result a single time. In other words, once we're done iterating through the generator for the first time, we won't get any results the second time around.


In [11]:
# no results
for value in generator:
    print(value)

From the result, we can see that when we iterate over an already-exhausted generator, it won't produce any results and we also won't get any errors that tells us it is now exhausted. This is something that's extremely important to keep in mind when working with generators. If we wish to iterate over the content for more than once, we can always make a copy by converting it to a list.


In [12]:
# we can now loop through it for more than once
iterable = list(gen(nloop))
for value in iterable:
    print(value)
    
for value in iterable:
    print(value)


0
1
4
0
1
4

This approach solves the problem, but to understand why this is not always ideal. We need to step back and understand the rationale behind using generators.

The real advantage or true power of using generator is it gives us the ability to iterate over sequence lazily, which in turn reduces memory usage. For example, imagine a simulator producing gigabytes of data per second. Clearly we can't put everything neatly into a Python list first and then start munching, since this copy could cause our program to run out of memory and crash. Ideally, we must process the information as it comes in. The recommended way to deal with this, is to have a class that implements the __iter__ dunder method.


In [13]:
class Gen:
    
    def __init__(self, nloop):
        self.nloop = nloop

    def __iter__(self):
        # the method will create a iterator object
        # every time it is looped over, or technically
        # every time this __iter__ method is called, such
        # as when the object hits a for loop
        for x in range(self.nloop):
            yield x ** 2

In [14]:
iterable = Gen(nloop = nloop)
for value in iterable:
    print(value)
    
for value in iterable:
    print(value)


0
1
4
0
1
4

This type of streaming approach is used a lot in the Gensim library. e.g. with helper class such as LineSetence we can feed chunks/batches of documents into the memory to train the model instead of having to load the entire corpus into memory.

To wrap up, the following diagram summarizes the relationship between iterable, iterator and generator.