4.5. Iteration Simplifies our Turtle Program¶
To draw a square we’d like to do the same thing four times — move the turtle forward some distance and turn 90 degrees. We previously used 8 lines of Python code to have alex draw the four sides of a square. This next program does exactly the same thing but, with the help of the for statement, uses just three lines (not including the setup code). Remember that the for statement will repeat the forward and left four times, one time for each value in the list.
import turtle
for i in range(0, 4, 1):
turtle.forward(50.0)
turtle.left(90.0)
(ch03_for1)
While “saving some lines of code” might be convenient, it is not the big deal here. What is much more important is that we’ve found a “repeating pattern” of statements, and we reorganized our program to repeat the pattern. Finding the chunks and somehow getting our programs arranged around those chunks is a vital skill when learning How to think like a computer scientist.
The for-loop is our first example of a compound statement. Syntactically a compound statement is a statement. The level of indentation of a (whole) compound statement is the indentation of its heading. In the example above there are two statements with the same indentation, executed sequentially: the import and the whole for-loop. The for-loop compound statement is executed completely before ending the program.
Mixed up program

Drag the blocks of statements from the left column to the right column and put them in the right order with the correct indention. Click on Check Me to see if you are right. You will be told if any of the lines are in the wrong order or are incorrectly indented.
# repeat 3 times
for i in range(0, 3, 1):
turtle.forward(175.0)
import turtle
turtle.left(120.0)
Mixed up program

Drag the blocks of statements from the left column to the right column and put them in the right order with the correct indention. Click on Check Me to see if you are right. You will be told if any of the lines are in the wrong order or are incorrectly indented.
# repeat 2 times
for i in range(0, 2, 1):
turtle.forward(150.0)
turtle.right(90.0)
turtle.right(90.0)
turtle.forward(175.0)
import turtle
Check your understanding
turtle-6-3: In the following code, how many lines does this code print?
for i in range(0, 6, 1):
print("Thank you. May I have another?")
turtle-6-4: How does python know what statements are contained in the loop body?
turtle-6-5: Consider the following code:
for i in range(0, 4, 1):
turtle.forward(50.0)
turtle.left(90.0)
What does each iteration through the loop do?