loop through list in python code example
Example 1: python loop through list
list = [1, 3, 6, 9, 12]
for i in list:
print(i)
Example 2: how to loop over list
# Python code to iterate over a list
list = [1, 2, 3, 4, 5, 6]
# Method 1: Using "var_name in list" syntax
# Pro: Consise, easily readable
# Con: Can't access index of item
for item in list:
print(item)
# Method 2: Using list indices
# Pro: Can access index of item in list
# Con: Less consise, more complicated to read
for index in range(len(list)-1):
print(list[index])
# Method 3: Using enumerate()
# Pro: Can easily access index of item in list
# Con: May be too verbose for some coders
for index, value in enumerate(list):
print(value)
Example 3: python for loop with array
foo = ['foo', 'bar']
for i in foo:
print(i) #outputs 'foo' then 'bar'
for i in range(len(foo)):
print(foo[i]) #outputs 'foo' then 'bar'
i = 0
while i < len(foo):
print(foo[i]) #outputs 'foo' then 'bar'
Example 4: how to loop through list in python
thisList = [1, 2, 3, 4, 5, 6]
x = 0
while(x < len(thisList)):
print(thisList[x])
x += 1
# or you can do this:
for x in range(0, len(thisList)):
print(thisList[x])
#or you can do this
for x in thisList:
print(x)
Example 5: Python Loop Lists
thislist = ["apple", "banana", "cherry"]
for x in thislist:
print(x)
Example 6: iterate over a list python
# Python3 code to iterate over a list
list = [1, 3, 5, 7, 9]
# Using for loop
for i in list:
print(i)