for loops for printingswapListValuesAtIndicessumBetween with iteration tablereplaceVowelSequencesfor loops for printing¶A simple example of two nested for loops to generate the multiplication table.
for i in range(2, 6): # This is called the "outer loop"
for j in range(2, 6): # This is called the "inner loop"
print(i, 'x', j, '=', i*j)
What happens if we add conditionals in the outer and/or inner loop? Predict the output of the following examples:
for i in range(2, 6):
for j in range(2, 6):
if i <= j:
print(i, 'x', j, '=', i*j)
for i in range(2, 6):
if i % 2 == 0:
for j in range(2, 6):
if i <= j:
print(i, 'x', j, '=', i*j)
Predict the output of the following nested loop involving strings:
for letter in ['b','d','r','s']:
for suffix in ['ad', 'ib', 'ump']:
print(letter + suffix)
A common reason to use nested loops is to accumulate values for every element of a sequence:
def isVowel(char):
return len(char) == 1 and char.lower() in 'aeiou'
verse = "Two roads diverged in a yellow wood"
for word in verse.split():
counter = 0
for letter in word:
if isVowel(letter):
counter += 1
print('Vowels in "' + word + '" =>', counter)
In the code above change the position of the statement counter = 0.
how can you explain these results?
Experiment 1: take counter outside the outer loop
def isVowel(char):
return len(char) == 1 and char.lower() in 'aeiou'
verse = "Two roads diverged in a yellow wood"
counter = 0
for word in verse.split():
for letter in word:
if isVowel(letter):
counter += 1
print('Vowels in "' + word + '" =>', counter)
Explanation: Here counter is accumulating the vowels across all words in the sentence, thus, at the end it contains the total number of vowels.
Experiment 2: put counter inside the inner loop
def isVowel(char):
return len(char) == 1 and char.lower() in 'aeiou'
verse = "Two roads diverged in a yellow wood"
for word in verse.split():
for letter in word:
counter = 0 # counter inside the inner loop
if isVowel(letter):
counter += 1
print('Vowels in "' + word + '" =>', counter)
Explanation: Here counter is set to 0 every time we enter the inner loop and it forgets about vowels that it has seen before.
Since nested loops can be challenging to think about, it's nice to try to avoid them when possible.
One strategy is to capture the inner loop in a separate function. In the above vowel-counting example, this is easy to do with the countVowels function we defined in a previous lecture:
def isVowel(char):
"""Return true if char is a vowel."""
return len(char) == 1 and char.lower() in 'aeiou'
def countVowels(word):
"""Return the number of vowels in a provided word."""
counter = 0
for letter in word:
if isVowel(letter):
counter += 1
return counter
def countVowelsInVerse(verse):
"""Return the number of vowels in a provided phrase."""
for word in verse.split():
print('Vowels in "' + word + '" =>', countVowels(word))
countVowelsInVerse("Two roads diverged in a yellow wood")
By "hiding" the inner loop in the countVowels function, we end up thinking about two independent non-nested loops!
In this exercise, we will create grids of circles like those shown in the pictures below.
| Circle Grid with Light Sky Blue | Circle Grid with Random Colors |
|
|
First lets start out by importing the necessary turtle functions into Python.
from turtle import *
from turtleBeads import *
Before we start drawing things, it would be nice to write a function that can figure out the coordinates for any point in the grid. That way, when we are writing our loops, we can think about rows and columns, but not have to worry about exact Turtle coordinates. Here's a function that takes row and column indices along with the number of desired rows, columns, and circle radius, and returns a pair of coordinates for the indicated position:
def gridCoordinates(row, col, numRows, numCols, radius):
cellSize = 2*radius
offsetX = (numCols * cellSize) / 2 - radius
offsetY = (numRows * cellSize) / 2 - radius
return (cellSize*col - offsetX, cellSize*row - offsetY) # note that column -> x and row -> y
Note: the way this function is defined, each row will be higher than the last, with row 0 at the bottom, and each column will be farther right than the last, with column 0 at the left.
Next we will write a nested loop that prints out the grid coordinates (rows and columns).
Define a function printGridIndices that takes two arguments: a width and a height. It should print out all of the coordinate pairs within the given width/height grid, starting at 0, 0, and ending at width-1, height-1.
Reminder: You can use range to iterate through a sequence of numbers.
Example output:
printGridIndices(3, 3)
0 0
0 1
0 2
1 0
1 1
1 2
2 0
2 1
2 2
def printGridIndices(width, height):
# Your code here
for row in range(height):
for col in range(width):
print(row, col)
printGridIndices(3, 3)
We've got a loop that prints out the row and column numbers from our grid, and the gridCoordinates function from above can convert these into turtle x, y positions. Now all we have to do is put those things together with calls to teleport and drawCircle to draw a grid of circles. Write the blueCircleGrid function below, using LightSkyBlue as the color for each circle.
Note: Because gridCoordinates returns a pair, it can be convenient to use tuple assignment to receive that pair, like this:
x, y = gridCoordinates(row, col, radius)
This code takes the pair returned by the gridCoordinates function and assigns the first item to the variable x and the second item to the variable y.
def blueCircleGrid(numRows, numCols, radius):
# Your code here
for row in range(numRows):
for col in range(numCols):
x, y = gridCoordinates(row, col, numRows, numCols, radius)
color("LightSkyBlue")
teleport(x, y)
begin_fill()
drawCircle(radius)
end_fill()
# Test for the blueCircleGrid function:
reset()
noTrace()
blueCircleGrid(4, 7, 50)
showPicture()
Now make your grid randomly select the color of each circle from a list of colors. To perform this task, first import random.
import random
To randomly select from a list of colors, we can use the function random.choice(sequence) where sequence is any sequence like a list, range, or string. Notice how running the cells below may produce a different result each time.
random.choice([1, True, -4.5, "Hello"])
random.choice(range(100, 200, 15))
random.choice("strings are sequences of letters")
Now let's define a list of colors below:
colors = ["LightSkyBlue", "LightPink", "LightSeaGreen", "PaleVioletRed"]
Below, define the randomCircleGrid function to create a grid of circles with a randomly chosen color from the list above.
def randomCircleGrid(numRows, numCols, radius):
# Your code here
for row in range(numRows):
for col in range(numCols):
x, y = gridCoordinates(row, col, numRows, numCols, radius)
color(random.choice(colors))
teleport(x, y)
begin_fill()
drawCircle(radius)
end_fill()
# Test for randomCircleGrid:
reset()
noTrace()
randomCircleGrid(5, 6, 50)
showPicture()
Suppose we want to generate triangular patterns of circles that touch two sides of a square:
| UpperLeftTriangleOfCircles | UpperRightTriangleOfCircles |
|
|
| LowerLeftTriangleOfCircles | LowerRightTriangleOfCircles |
|
|
Which of the above four patterns is generated by the following code below? Think about it before you run the code below!
def triangleOfCircles(numRowsAndCols, radius):
for row in range(numRowsAndCols):
for col in range(numRowsAndCols):
if row <= col:
x, y = gridCoordinates(row, col, numRowsAndCols, numRowsAndCols, radius)
color(random.choice(colors))
teleport(x, y)
begin_fill()
drawCircle(radius)
end_fill()
reset()
noTrace()
triangleOfCircles(5, 50)
showPicture()
Question What (small) changes can we make to the code above to draw the other three patterns?
The code currently produces LowerRightTriangleOfCircles.
For UpperLeftTriangleOfCircles, change row <= col to row >= col
For UpperRightTriangleOfCircles, change row <= col to row + col >= numRowsAndCols - 1
For LowerLeftTriangleOfCircles, change row <= col to row + col <= numRowsAndCols - 1
The following code will not swap the values correctly:
nums = [3, 2, 1, 4]
# swapping values?
nums[0] = nums[1]
nums[1] = nums[0]
nums
What works instead is the use of a so-called temporary variable to hold one of the values temporarily:
nums = [3, 2, 1, 4]
oldNumsSub0 = nums[0] # oldNumSub0 is a temporary variable
nums[0] = nums[1]
nums[1] = oldNumsSub0
nums
Simulataneous assignment is another name for the notion of tuple assignment introduced near the end of lecture called Iteration1.
Try to guess the result of each cell without running it, then test your guess.
a, b = 0, 1
a + b
a, b, c = 1, 2, 3
print(c, a, b)
a, b = "AB"
print(a, b)
a, b = [10, 20]
print(a + b, a * b)
a, b = (15, 25)
print(b - a)
a, b, c, d = [1, 2, 3, 4]
print(a*b*c*d)
a, b = 10
a, b = (1, 2, 4)
Using tuple assignment, we can swap values in Python in one statement:
nums = [3, 2, 1, 4]
nums[0], nums[1] = nums[1], nums[0]
nums
a, b = 0, 1
print(a, b)
a, b = b, a
print(a, b)
swapListValuesAtIndices¶Define a function swapListValuesAtIndices that takes three arguments (a list and two valid indices in that list) and swaps the values in the list at those indices. For example:
L = [8, 6, 9, 7]
swapListValuesAtIndices(L, 1, 3)
# L is now [8, 7, 9, 6]
swapListValuesAtIndices(L, 0, 3)
# L is now [6, 7, 9, 8]
Define two different versions of swapListValuesAtIndices: one that does use simultaneous assignment, and one that does not.
def swapListValuesAtIndices(lst, i, j):
# This version *must* use simultaneous assignment
# Your code here
lst[i], lst[j] = lst[j], lst[i]
def test_swapListValuesAtIndices(i, j):
print('list before swap(L, ' + str(i) + ', ' + str(j) + '):', L)
swapListValuesAtIndices(L, i, j)
print('list after swap(L, ' + str(i) + ', ' + str(j) + '):', L)
L = [8, 6, 9, 7]
test_swapListValuesAtIndices(1, 3)
test_swapListValuesAtIndices(0, 3)
def swapListValuesAtIndices(lst, i, j):
# This version must *not* use simultaneous assignment
# Your code here
prev_i = lst[i]
lst[i] = lst[j]
lst[j] = prev_i
def test_swapListValuesAtIndices(i, j):
print('list before swap(L, ' + str(i) + ', ' + str(j) + '):', L)
swapListValuesAtIndices(L, i, j)
print('list after swap(L, ' + str(i) + ', ' + str(j) + '):', L)
L = [8, 6, 9, 7]
test_swapListValuesAtIndices(1, 3)
test_swapListValuesAtIndices(0, 3)
sumBetween with iteration table¶We have added two print statements in the function, to print the iteration table,
which shows how the three state variables change from one iteration step to the next.
def sumBetween(lo, hi):
"""Returns the sum of the integers from lo to hi
(inclusive). Assume lo and hi are integers.
"""
sumSoFar = 0 # initialize accumulator
# Print initial values of state variables, before entering loop the first time
print('lo:', lo, '| hi:', hi, '| sumSoFar:', sumSoFar)
while lo <= hi:
sumSoFar += lo # update accumulator
lo += 1
# Print updated values of state variables before start of next iteration of loop
print('lo:', lo, '| hi:', hi, '| sumSoFar:', sumSoFar)
return sumSoFar # return accumulator
sumBetween(4, 8)
replaceVowelSequences¶When given an iteration problem, it's usually a very bad idea to start by writing Python code. You'll often waste a lot of time implementing and debugging an approach that may be far from correct.
Instead, we recommend that you begin every iteration problem by creating iteration tables for several concrete examples for that problem, and use these to figure out the state variables and iteration rules for the problem. Then you can translate the state variables and iteration rules into Python code.
Here we will illustrate this strategy in the context of a function that appeared on a previous midterm exam.
replaceVowelSequences function specification¶Define a function replaceVowelSequences that takes a string as its single input, and returns a version of the string in which each sequence of consecutive vowels is replaced by the asterisk character, '*'. The following table shows the output of replaceVowelSequences for some input strings:
| Input | Output |
|---|---|
'section' | 's*ct*n' |
'conscientious' | 'c*nsc*nt*s' |
'audacious' | '*d*c*s' |
'amnesia' | '*mn*s*' |
'strengths' | 'str*ngths' |
'wryly' | 'wryly' |
replaceVowelSequences¶In the following iteration tables, explain:
State Variables: What are the meanings of the state variables resultSoFar and inVowelSequence?
Answer:
resultSoFar is the prefix of the final result string determined by the characters processed so far.inVowelSequence indicates whether the current char is a vowel. It is helpful, because it can be used in the next row to determine if the previous character was a value.Iteration Rules:
How is resultSoFar in a row determined from (1) char in that row (2) resultSoFar from the previous row and (3) inVowelSequence from the previous row?
Answer:
char is a vowel:inVowelSequence is False, add '*' to the end of resultSoFarinVowelSequence is True, resultSoFar is unchangedchar is not a vowel, add char to the end of resultSoFarHow is inVowelSequence in a row determined from char in that row?
Answer:
inVowelSequence is True if char is a vowel and False otherwise.
| char | resultSoFar | inVowelSequence |
|---|---|---|
'' | False | |
's' | 's' | False |
'e' | 's*' | True |
'c' | 's*c' | False |
't' | 's*ct' | False |
'i' | 's*ct*' | True |
'o' | 's*ct*' | True |
'n' | 's*ct*n' | False |
| char | resultSoFar | inVowelSequence |
|---|---|---|
'' | False | |
'a' | '*' | True |
'u' | '*' | True |
'd' | '*d' | False |
'a' | '*d*' | True |
'c' | '*d*c' | False |
'i' | '*d*c*' | True |
'o' | '*d*c*' | True |
'u' | '*d*c*' | True |
's' | '*d*c*s' | False |
replaceVowelSequences¶Now translate the state variables and iteration rules from above into a Python definition for replaceVowelSequences
def isVowel(char):
return char.lower() in 'aeiou'
def replaceVowelSequences(word):
# Your code here
resultSoFar = ''
inVowelSequence = False
for char in word:
if isVowel(char):
if not inVowelSequence:
resultSoFar += '*'
inVowelSequence = True
else:
resultSoFar += char
inVowelSequence = False
return resultSoFar
def testReplaceVowelSequences(words):
for word in words:
print("replaceVowelSequences('" + word + "') => '" + replaceVowelSequences(word) + "'")
testReplaceVowelSequences('section conscientious audacious amensia strenghts wryly'.split())
replaceVowelSequences without the inVowelSequence state variable¶It is possible to determine the value of inVowelSequence by looking at resultSoFar from the previous row. How?
Use this observation to define an alternative definition of replaceVowelSequences without the inVowelSequence state variable
def replaceVowelSequences(word):
# Your code here
resultSoFar = ''
for char in word:
if isVowel(char):
if (resultSoFar == '' # Careful! Must have this test for case
# where word begins with vowel!
or resultSoFar[-1] != '*'):
# Alternatively, can use: not resultSoFar.endswith('*')
resultSoFar += '*'
else:
resultSoFar += char
return resultSoFar
testReplaceVowelSequences('section conscientious audacious amensia strenghts wryly'.split())