python线程循环

时间:2013-04-05 18:36:46

标签: python multithreading loops

我有一个项目需要一堆大的矩阵,这些矩阵存储在~200 MB的文件中,彼此交叉相关(即FFT * conj(FFT))。文件的数量是这样的,我不能只是加载它们然后进行我的处理。另一方面,根据需要读取每个文件比我想要的慢。

到目前为止,我所拥有的是:

result=0
for i in xrange(N_files):
    f1 = file_reader(file_list[i])

    ############################################################################
    # here I want to have file_reader go start reading the next file I'll need #
    ############################################################################

    in_place_processing(f1)
    for j in xrange(i+1,N_files):
        f2 = file_reader(file_list[j])

        ##################################################################
        # here I want to have file_reader go start reading the next file #
        ##################################################################

        in_place_processing(f2)
        result += processing_function(f1,f2)

所以基本上,我只想要两个线程,每个线程都会读取一个文件,当我要求它时(或者在我要求它之后立即完成),然后开始阅读下一个文件我要求的时间档案。 file_reader返回的对象相当大而且复杂,所以我不确定多处理是否可以到达这里......

我已经阅读过有关线程和队列的信息,但似乎无法弄清楚我要求线程读取文件的部分,并且可以继续执行该程序。我不希望线程在后台简单地开展业务 - 我在这里错过了一个细节,还是线程不是要走的路?

1 个答案:

答案 0 :(得分:0)

下面是一个使用multiprocessing模块生成子进程以调用file_reader方法并排队结果的示例。队列应该在满员时阻止,因此您可以使用QUEUE_SIZE常量控制要执行的预读数量。

这利用了多进程通信的标准生产者/消费者模型,子进程充当生产者,主线程是消费者。类析构函数中的join方法调用可确保正确清理子进程资源。为了演示目的,散布了一些印刷语句。

此外,我添加了QueuedFileReader类将工作卸载到工作线程或在主线程中运行而不是使用子进程进行比较的能力。这是通过将类初始化时的mode参数分别指定为MODE_THREADSMODE_SYNCHRONOUS来完成的。

import multiprocessing as mp
import Queue
import threading
import time

QUEUE_SIZE = 2 #buffer size of queue

## Placeholder for your functions and variables
N_files = 10
file_list = ['file %d' % i for i in range(N_files)]

def file_reader(filename):
    time.sleep(.1)
    result = (filename,'processed')
    return result

def in_place_processing(f):
    time.sleep(.2)

def processing_function(f1,f2):
    print f1, f2
    return id(f1) & id(f2)

MODE_SYNCHRONOUS = 0  #file_reader called in main thread synchronously
MODE_THREADS = 1      #file_reader executed in worker thread
MODE_PROCESS = 2      #file_reader executed in child_process
##################################################
## Class to encapsulate multiprocessing objects.
class QueuedFileReader():
    def __init__(self, idlist, mode=MODE_PROCESS):
        self.mode = mode
        self.idlist = idlist
        if mode == MODE_PROCESS:
            self.queue = mp.Queue(QUEUE_SIZE)
            self.process = mp.Process(target=QueuedFileReader.worker,
                                      args=(self.queue,idlist))
            self.process.start()
        elif mode == MODE_THREADS:
            self.queue = Queue.Queue(QUEUE_SIZE)
            self.thread = threading.Thread(target=QueuedFileReader.worker,
                                           args=(self.queue,idlist))
            self.thread.start()

    @staticmethod
    def worker(queue, idlist):
        for i in idlist:
            queue.put((i, file_reader(file_list[i])))
            print id(queue), 'queued', file_list[i]
        queue.put('done')

    def __iter__(self):
        if self.mode == MODE_SYNCHRONOUS:
            self.index = 0
        return self

    def next(self):
        if self.mode == MODE_SYNCHRONOUS:
            if self.index == len(self.idlist): raise StopIteration
            q = (self.idlist[self.index],
                 file_reader(file_list[self.idlist[self.index]]))
            self.index += 1
        else:
            q = self.queue.get()
            if q == 'done': raise StopIteration
        return q

    def __del__(self):
        if self.mode == MODE_PROCESS:
            self.process.join()
        elif self.mode == MODE_THREADS:
            self.thread.join()

#mode = MODE_PROCESS
mode = MODE_THREADS
#mode = MODE_SYNCHRONOUS
result = 0
for i, f1 in QueuedFileReader(range(N_files),mode):

    in_place_processing(f1)

    for j, f2 in QueuedFileReader(range(i+1,N_files),mode):
        in_place_processing(f2)
        result += processing_function(f1,f2)

如果您的中间值太大而无法通过队列,则可以在其自己的进程中执行外部循环的每次迭代。一个方便的方法是使用Pool中的multiprocessing类,如下例所示。

import multiprocessing as mp
import time

## Placeholder for your functions and variables
N_files = 10
file_list = ['file %d' % i for i in range(N_files)]

def file_reader(filename):
    time.sleep(.1)
    result = (filename,'processed')
    return result

def in_place_processing(f):
    time.sleep(.2)

def processing_function(f1,f2):
    print f1, f2
    return id(f1) & id(f2)

def file_task(file_index):
    print file_index
    f1 = file_reader(file_list[file_index])
    in_place_processing(f1)
    task_result = 0
    for j in range(file_index+1, N_files):
        f2 = file_reader(file_list[j])
        in_place_processing(f2)
        task_result += processing_function(f1,f2)
    return task_result



pool = mp.Pool(processes=None) #processes default to mp.cpu_count()
result = 0
for file_result in pool.map(file_task, range(N_files)):
    result += file_result
print 'result', result

#or simply
#result = sum(pool.map(file_task, range(N_files)))