我有一个全局列表,其中不断添加项目(来自网络客户端):
mylist = []
def additem(uuid,work):
mylist.append(uuid,work)
一个应该检查列表的函数以及是否有项目继续进行:
def proceeditems():
while True:
itemdone = []
if len(mylist) > 0:
for item in mylist:
try:
#This can go wrong and than need to be done again
result = gevent.spawn(somework(item))
#result returns the uuid
itemdone.append(result.value)
except:
pass
for item in itemdone:
mylist[:] = [value for value in mylist if value[0]!=item]
所以我希望你现在能够了解我的尝试,但我认为无限循环似乎不是正确的解决方案。
答案 0 :(得分:3)
在这种情况下,您必须使用多线程或多处理(取决于网络客户端是在不同的线程还是在不同的进程中运行。
在任何一种情况下,都应使用Queue
来管理传入的数据,然后再存储到itemdone
。
您可以像这样定义队列:
my_queue = queue.Queue() # or multiprocessing.Queue()
然后你应该在参数中包含队列(或者如果你使用线程,你可以使用全局队列,就像你一样)
def additem(uuid,work,the_queue):
the_queue.put((uuid,word)) # Queue in a tuple containing the data
def proceeditems(the_queue):
while True:
item = the_queue.get() # This will block until something is inside the queue
try:
result = somework(item)
itemdone.append(result)
except:
the_queue.put(item) # If failed, put back to queue for retry.
# You don't need the last two lines
要停止整个过程,可以使additem
函数插入特殊标记,proceeditems
收到特殊标记后,将退出循环。