for ... else ...

For loops also have anelseclause which most of us are unfamiliar with. Theelseclause executes when the loop completes normally. This means that the loop did not encounter anybreak.

The common construct is to run a loop and search for an item. If the item is found, we break the loop usingbreak. There are two scenarios in which the loop may end. The first one is when the item is found andbreakis encountered. The second scenario is that the loop ends. Now we may want to know which one of these is the reason for a loops completion. One method is to set a flag and then check it once the loop ends. Another is to use theelseclause.

This is the basic structure of afor/elseloop:

for item in container:
    if search_something(item):
        # Found it!
        process(item)
        break
else:
    # Didn't find anything..
    not_found_in_container()

Consider this simple example which I took from the official documentation:

for n in range(2, 10):
    for x in range(2, n):
        if n % x == 0:
            print(n, 'equals', x, '*', n/x)
            break

It finds factors for numbers between 2 to 10. Now for the fun part. We can add an additional elseblock which catches the numbers which are prime and tells us so:

for n in range(2, 10):
    for x in range(2, n):
        if n % x == 0:
            print( n, 'equals', x, '*', n/x)
            break
    else:
        # loop fell through without finding a factor
        print(n, 'is a prime number')

Reference: http://book.pythontips.com/en/latest/for_-_else.html

Last updated