问题:Python中的循环列表迭代器
我需要遍历一个循环列表,每次从最后一次访问的项目开始,可能要多次。
用例是一个连接池。客户端请求连接,迭代器检查指向的连接是否可用并返回,否则循环直到找到可用的连接。
有没有一种精巧的方法可以在Python中做到这一点?
回答 0
使用itertools.cycle
,这是其确切目的:
from itertools import cycle
lst = ['a', 'b', 'c']
pool = cycle(lst)
for item in pool:
print item,
输出:
a b c a b c ...
(显然,永远循环)
为了手动推进迭代器并从中一一提取值,只需调用next(pool)
:
>>> next(pool)
'a'
>>> next(pool)
'b'
回答 1
正确的答案是使用itertools.cycle。但是,让我们假设库函数不存在。您将如何实施?
使用生成器:
def circular():
while True:
for connection in ['a', 'b', 'c']:
yield connection
然后,您可以使用for
语句进行无限迭代,也可以调用next()
从生成器迭代器获取单个下一个值:
connections = circular()
next(connections) # 'a'
next(connections) # 'b'
next(connections) # 'c'
next(connections) # 'a'
next(connections) # 'b'
next(connections) # 'c'
next(connections) # 'a'
#....
回答 2
或者您可以这样做:
conn = ['a', 'b', 'c', 'd', 'e', 'f']
conn_len = len(conn)
index = 0
while True:
print(conn[index])
index = (index + 1) % conn_len
永远打印abcdefab c …
回答 3
您可以使用append(pop())
循环完成此操作:
l = ['a','b','c','d']
while 1:
print l[0]
l.append(l.pop(0))
或for i in range()
循环:
l = ['a','b','c','d']
ll = len(l)
while 1:
for i in range(ll):
print l[i]
或者简单地:
l = ['a','b','c','d']
while 1:
for i in l:
print i
所有这些打印:
>>>
a
b
c
d
a
b
c
d
...etc.
在这三个函数中,我倾向于使用append(pop())方法作为函数
servers = ['a','b','c','d']
def rotate_servers(servers):
servers.append(servers.pop(0))
return servers
while 1:
servers = rotate_servers(servers)
print servers[0]
回答 4
您需要一个自定义迭代器-我将根据此答案改编迭代器。
from itertools import cycle
class ConnectionPool():
def __init__(self, ...):
# whatever is appropriate here to initilize
# your data
self.pool = cycle([blah, blah, etc])
def __iter__(self):
return self
def __next__(self):
for connection in self.pool:
if connection.is_available: # or however you spell it
return connection
回答 5
如果您希望循环n
时间,请实施ncycles
itertools配方:
from itertools import chain, repeat
def ncycles(iterable, n):
"Returns the sequence elements n times"
return chain.from_iterable(repeat(tuple(iterable), n))
list(ncycles(["a", "b", "c"], 3))
# ['a', 'b', 'c', 'a', 'b', 'c', 'a', 'b', 'c']
声明:本站所有文章,如无特殊说明或标注,均为本站原创发布。任何个人或组织,在未征得本站同意时,禁止复制、盗用、采集、发布本站内容到任何网站、书籍等各类媒体平台。如若本站内容侵犯了原著者的合法权益,可联系我们进行处理。