Modifying Iterator In For Loop In Python
Solution 1:
The for loop is walking through the iterable range(100)
.
Modifying the current value does not affect what appears next in the iterable (and indeed, you could have any iterable; the next value might not be a number!).
Option 1 use a while loop:
i = 0
while i < 100:
i += 4
Option 2, use the built in step size argument of range:
for i inrange(0,100,10):
pass
This example may make it clearer why your method doesn't make much sense:
for i in [1,2,3,4,5,'cat','fish']:
i = i + i
print i
This is entirely valid python code (string addition is defined); modifying the iterable would require something unintuitive.
See here for more information on how iterables work, and how to modify them dynamically
Solution 2:
To do this use a while loop. Changing the iterator in a for loop will not change the amount if times it iterates Instead you can do
i=0
while i < 100:
print i
i = i +10
Solution 3:
If you want to modify an iterator, you can do something like that :
iterator= iter(range(100))
for i in iterator:
print (i)
for k inrange(9): next(iterator)
But no practical interest !
Solution 4:
If you try this code it should work.
foriinrange(100)[::10]:
printi
The [::10] works like string slicing. [first position to start at: position to stop at:number to steps to make in each loop]
I didn't use the first two values so these are set to the default of first position and last position. I just told it to make steps of 10.
Post a Comment for "Modifying Iterator In For Loop In Python"