https://www.youtube.com/watch?v=6iF8Xb7Z3wQ

for loops

for loops iterated through a certain number of values

simple sample

nums = [1, 2, 3, 4, 5]

for num in nums:
	print(num) 
'''
out:
1
2
3
4
5
'''

break | to break out of the loop

nums = [1, 2, 3, 4, 5]

for num in nums:
	if num == 3:
		print('Found!')
		break
	print(num) 
'''
out:
1
2
Found!
'''

continue | skip the next iteration of a loop

nums = [1, 2, 3, 4, 5]

for num in nums:
	if num == 3:
		print('Found!')
		continue
	print(num) 
'''
out:
1
2
Found!
4
5
'''

inner loop

nums = [1, 2, 3, 4, 5]

for num in nums:
	for letter in 'abc':
		print(num,letter) 
'''
out:
1 a
1 b
1 c
2 a
2 b
2 c
3 a
3 b
3 c
4 a
4 b
4 c
5 a
5 b
5 c
'''

range

for i in range(10):
	print(i)
'''
out:
0
1
2
3
4
5
6
7
8
9
'''
#######start with 1
for i in range(1,11):
	print(i)
'''
out:
1
2
3
4
5
6
7
8
9
10
'''