我希望在我的应用程序中使用多处理或线程来在后台执行一些耗时的操作。我看了很多例子,但我仍然无法实现我想要的。我正在尝试加载一堆图像,每个图像需要几秒钟。我想要加载第一个图像,然后将其他图像加载到后台并存储在列表中(稍后使用),同时程序仍在执行其他操作(例如,允许我的GUI上的控件仍然有效)。如果我有类似下面的示例,我该怎么做?我应该使用多处理还是线程?
class myClass():
def __init__(self, arg1, arg2):
#initializes some parameters
def aFunction(self):
#does some things
#creates multiple processes or threads that each call interestingFunc
#continues doing things
def interestingFunc(self):
#performs operations
m = myClass()
答案 0 :(得分:1)
这是最简单的并行方式,可以帮助您入门:
import multiprocessing
def calc(num):
return num*2
pool = multiprocessing.Pool(5)
for output in pool.map(calc, [1,2,3]):
print 'output:',output
output: 2
output: 4
output: 6
答案 1 :(得分:1)
您可以尝试这样的事情:
from thread import start_new_thread
pictureList = [ f for f in os.listdir(r"C:\your\picture\folder")]
for pic in pictureList:
start_new_thread(loadPicture,(pic,))
def loadPicture(pic):
pass # do some stuff with the pictures
这是一个非常简单的方法,线程返回immediatley,也许你需要使用allocate_lock
。如果需要更多功能,可以考虑使用线程模块。小心将tuple
作为第二个参数传递给线程。
答案 2 :(得分:1)
您可以使用任何一种方法。让您的Process
或Thread
执行其工作,然后将结果放到Queue
上。然后,您的主要线程/进程可以在闲暇时将结果从队列中取出并对它们执行某些操作。这是多处理的一个例子。
from multiprocessing import Process, Queue
def load_image(img_file, output_q):
with open(img_file, 'rb') as f:
img_data = f.read()
# perform processing on img_data, then queue results
output_q.put((img_file, img_data))
result_q = Queue()
images = ['/tmp/p1.png', '/tmp/p2.jpg', '/tmp/p3.gif', '/tmp/p4.jpg']
for img in images:
Process(target=load_image, args=(img, result_q)).start()
for i in range(len(images)):
img, data = result_q.get()
# do something with the image data
print "processing of image file %s complete" % img
这假设处理顺序对您的应用程序而言并不重要,即每个文件的图像数据可能以任何特定顺序加载到队列中。