Python Loops
Loops in Python
Learning Objectives
After this lesson, you will be able to:
Use a
for
loop to iterate a list.Use
range()
to dynamically generate loops.Use a
while
loop to control program flow.
For Loops
For loops in Python follow this structure:
Look familiar? This syntax is very similar to a for/in loop in javascript!
Here's an example of iterating through a list of colors:
The loop runs for every item in the list - the length of the collection. Here, it runs 6 times.
We've seen that you can use a for loop to loop through a list, but python loops can do more than that.
Loop through a string
Looping for a specific number of iterations
If you want to get specific on the number, you can use range()
. It is a built in method that accepts an integer and returns a range object, which is nothing but a sequence of integers. In a for loop, it looks like this:
range()
takes three arguments, the first and last of which are optional.
Because indexing starts at 0, the default start is 0 and the stop is not inclusive.
If you want a list of range integers, you can do so by calling
range_list = list(range(10))
range(x)
range(x)
When called with one parameter, range will run 0-x, exclusive. This is particularly useful when you want to have an index number while looping through a list—like in situtations where you want to mutate the data in the array you are iterating through. For example:
range(x, y)
range(x, y)
When called with two parameters, range will produce a range object starting at x
and y
(exclusive). For example:
range(x, y, z)
range(x, y, z)
When called with three parameters, the last parameter functions as a step meaning the range will increment (or decrement) by that amount. For example:
Try it for yourself
This one is a bit of a challenge. Make a list of strings (all lowercase). Iterate through your list and mutate it so that each string has the first letter capitalized.
Answer
```python # Capitalize the first letter a list of lowercase integers visible_colors = ["red", "orange", "yellow", "green", "blue", "violet"] for i in range(len(visible_colors)): visible_colors[i] = visible_colors[i][0].upper() + visible_colors[i][1::] print(visible_colors) ```
While loops
While loops are used when your loop could run an indeterminate number of times. Think of it like when a recipe has instructions like this, "While the bread isn’t brown, keep cooking". While loops checks if something is True (the bread isn’t brown yet) and runs until it’s set to False (now the bread is brown, so stop).
Be wary of infinite loops, if you don't change something about the statement in the while loop, it'll run forever, thus never reaching the code that follows it.
Additional Reading
Last updated