0

我想在一个循环中循环一个列表。例如:我在数组 L = [1,2,3] 中有三个元素我想得到输出为

L[0],L[1]

L[1],L[2]

L[2],L[0]

有没有一种简单的方法可以获得略有不同的输出

L[0],L[1]

L[1],L[2]

L[0],L[2]

4

6 回答 6

3

使用模运算符

>>> a = [1,2,3]
>>> for x in range(10):
        print a[x % len(a)]

使用itertools.cycle

>>> iterator = cycle(a)
>>> for _ in range(10):
        print next(iterator)

至于你的输出,你可以这样做。

>>> for x in range(10):
        print '{0}, {1}'.format(a[x % len(a)], a[(x+1) % len(a)])

>>> 1, 2
>>> 2, 3
>>> 3, 1
... etc etc
于 2013-09-06T02:17:10.940 回答
1

您可以只使用增加索引,并使用模(除法的余数)

myList = [1,2,3]
for i in xrange(len(myList)):
    myTuple = (myList[i],myList[(i+1)%len(myList)])
    print myTuple

将产生:

(1,2)
(2,3)
(3,1)
于 2013-09-06T02:20:53.687 回答
1

你可以尝试类似的东西

L = [1,2,3]
length = len(L)
for i in xrange(length):
        print L[i % length], L[(i+1) % length]

输出

1 2
2 3
3 1

这样,您可以执行类似的操作xrange(10)并且仍然可以循环:

1 2
2 3
3 1
1 2
2 3
3 1
1 2
2 3
3 1
1 2
于 2013-09-06T02:21:11.970 回答
1
l = [0,1,2,3]
for i in xrange(0, len(l)):
    print l[i], l[(i+1) % len(l)]


0 1
1 2
2 3
3 0
于 2013-09-06T02:21:27.043 回答
0

itertools文档中有一个配方可供您使用:

import itertools
def pairwise(iterable):
    a, b = itertools.tee(iterable)
    next(b, None)
    return itertools.izip(a, b)

打电话给itertools.cycle(L)你,你很高兴:

L = [1, 2, 3]
for pair in pairwise(itertools.cycle(L)):
    print pair
# (1, 2)
# (2, 3)
# (3, 1)
# (1, 2)
# ...
于 2013-09-06T02:42:32.287 回答
0

你是说组合吗?http://en.wikipedia.org/wiki/Combination

from itertools import combinations
comb = []
for c in combinations([1, 2, 3], 2):
    print comb.append(c)

对于排序,您可以使用 then

sorted(comb, key=lambda x: x[1])

输出:

[(1, 2), (1, 3), (2, 3)]
于 2013-09-06T02:48:36.873 回答