Weird Behaviour When Iterating Through List And Deleting Elements In Python
I'm trying to iterate over a Python list and delete each element once I've done some tasks with it, but it jumps one element after each iteration and I don't know why: >>>
Solution 1:
Well, your list is shrinking while you are iterating over it. If you want to, just look at the first element while your iterate over it.
whilelen(simple_list) > 0:
print(simple_list[0])
del simple_list[0]
Solution 2:
You can use list comprehension to get copy of the array and then iterate.
simple_list = list(range(10))
for i in simple_list[:]:
print(i)
simple_list.remove(i)
Solution 3:
Solution 4:
Ok, found the answer here: Python: Removing list element while iterating over list
You should NEVER delete an element from a list while iterating over it in a for loop. You could use a while loop instead. Or, record the indices of all the elements you want to remove and then delete them after the iteration is complete
Post a Comment for "Weird Behaviour When Iterating Through List And Deleting Elements In Python"