控制Python for循环的索引

时间:2013-03-29 16:31:19

标签: python for-loop

如何控制python for循环的索引? (或者你可以吗?或者你应该吗?)

例如:

for i in range(10):
    print i
    i = i + 1

收率:

0
1
2
3
4
5
6
7
8
9

我想让它产生:

0
2
3
4
5
6
7
8
9
10

如果我完全偏离了这个问题,我真的很道歉,此刻我的大脑完全失败,解决方案显而易见。


我为什么要问?

这与问题无关,但与我需要答案的原因相关。

在我写的Python脚本中,我正在做这样的事情:

for i in persons:
    for j in persons[-1(len(persons) - i - 1:]:
        if j.name in i.name:
            #remove j.name
        else: 
            #remove i.name

    #For every person (i), iterate trough every other person (j) after person (i)
    #The reason I ask this question is because sometimes I will remove person i.
    #When that happens, the index still increases and jumps over the person after i
    #So I want to decrement the index so I don't skip over that person.

也许我会以完全错误的方式解决这个问题,也许我应该使用while循环并控制我的索引。

2 个答案:

答案 0 :(得分:4)

  

如何控制python for循环的索引? (或者你可以吗?或者你应该吗?)

不能/不应该 - 循环控制变量将在每次迭代结束时重新分配给你正在迭代的下一个元素(这样{{1无效,因为i = i + 1将被重新分配给下一次迭代的不同内容。如果你想像这样控制索引,你应该使用i - 循环:

while

虽然,Python的range功能比您可能意识到的更灵活。例如,要以2的步长迭代,您可以简单地使用类似

的内容
i = 0
while i < 10:
    print i
    i = i + 1

答案 1 :(得分:0)

查看range here或docstr上的文档:

range([start,] stop[, step]) -> list of integers

Return a list containing an arithmetic progression of integers.
range(i, j) returns [i, i+1, i+2, ..., j-1]; start (!) defaults to 0.
When step is given, it specifies the increment (or decrement).
For example, range(4) returns [0, 1, 2, 3].  The end point is omitted!
These are exactly the valid indices for a list of 4 elements.

要获得0-10的范围,请执行以下操作:

> for i in range(0, 11):
>     print i

> 0
> 1
> 2
> 3
> 4
> 5
> 6
> 7
> 8
> 9
> 10

顺便说一句,执行i = i + 1是没有意义的,因为for循环中的每次迭代都会再次改变。无论你在循环中设置什么,每次循环开始时都会被覆盖。