Обычно способ сделать это состоит в том, чтобы использовать пул потоков и ставить в очередь загрузки, которые будут выдавать сигнал, то есть событие, о том, что задача завершила обработку.Вы можете сделать это в рамках модуля потоков , предоставляемого Python.
Для выполнения указанных действий я бы использовал объекты событий и модуль Queue .
Однако быструю и грязную демонстрацию того, что вы можете сделать с помощью простой реализации threading.Thread
, можно увидеть ниже:
import os
import threading
import time
import urllib2
class ImageDownloader(threading.Thread):
def __init__(self, function_that_downloads):
threading.Thread.__init__(self)
self.runnable = function_that_downloads
self.daemon = True
def run(self):
self.runnable()
def downloads():
with open('somefile.html', 'w+') as f:
try:
f.write(urllib2.urlopen('http://google.com').read())
except urllib2.HTTPError:
f.write('sorry no dice')
print 'hi there user'
print 'how are you today?'
thread = ImageDownloader(downloads)
thread.start()
while not os.path.exists('somefile.html'):
print 'i am executing but the thread has started to download'
time.sleep(1)
print 'look ma, thread is not alive: ', thread.is_alive()
Возможно, имеет смысл не опрашиватькак я делаю выше.В этом случае я бы изменил код на следующий:
import os
import threading
import time
import urllib2
class ImageDownloader(threading.Thread):
def __init__(self, function_that_downloads):
threading.Thread.__init__(self)
self.runnable = function_that_downloads
def run(self):
self.runnable()
def downloads():
with open('somefile.html', 'w+') as f:
try:
f.write(urllib2.urlopen('http://google.com').read())
except urllib2.HTTPError:
f.write('sorry no dice')
print 'hi there user'
print 'how are you today?'
thread = ImageDownloader(downloads)
thread.start()
# show message
thread.join()
# display image
Обратите внимание, что здесь не установлен флаг демона.