Python for loop
The python for loop is always used in combination with an iterable object such as range, list, string or dictionary.
1. Range
for i in range(5):
print(i)
Output:
0
1
2
3
4
2. List
fruits = ['pineapple', 'orange', 'strawberry']
for fruit in fruits:
print(fruit)
Output:
pineapple
orange
strawberry
3. String
for x in "abc":
print(x)
Output:
a
b
c
4. Dictionary
hitpoints = {'Zombieman': 20, 'Imp': 60, 'Cyberdemon': 4000}
for enemytype, hp in hitpoints.items():
print(f"{enemytype}: {hp}HP")
Output:
Zombieman: 20HP
Imp: 60HP
Cyberdemon: 4000HP
5. Nested For Loops
matrix = [[1, 2, 3], [4, 5, 6], [7, 8, 9]]
for row in matrix:
for item in row:
print(item)
Output:
1
2
3
4
5
6
7
8
9
6. List Comprehension
squares = [x**2 for x in range(2, 5)]
print(squares)
Output:
[4, 9, 16]
Impressum