最近項目用到了Python做爲網站的前端,使用的框架是基於線程池的Cherrypy,可是前端依然有一些比較‘重’的模塊。因爲python的多線程沒法很好的利用多核的性質,因此以爲把這些比較‘重’的功能用多進程進行管理。前端
Python的多進程編程主要依賴multiprocessing庫,父進程的參數直接拷貝給子進程,由於Linux進程的copy on write特性,若是子進程不對參數進行修改就不會進行拷貝工做,也就是說父進程,子進程共享參數。而參數的返回則經過管道pipe進行。
下面是簡單的代碼例子:python
import multiprocessing def heavy_load_func(N, child_conn): '''function do heavy computing''' try: #do_some_heavy_computing child_conn.send(return_value) #return something except Exception,e: child_conn.send(e) #將異常經過管道送出 if __name__=='__main__' '''main function''' try: parent_conn, child_conn = multiprocessing.Pipe() hild_process = multiprocessing.Process(target=heavy_load_func, args=(10, child_conn)) child_process.start() child_process.join() child_return = parent_conn.recv() print child_return except Exception,e: logger.error(e)
可是若是heavy_load_func在執行過程當中拋出異常就比較麻煩了,固然咱們能夠經過Pipe將捕捉到的異常信息傳到父進程,可是這樣父進程只是獲得了一條返回值,並無觸發父進程的異常機制,如何把子進程的異常拋出給父進程進行處理呢?編程
本文提供一種方法,經過引入一個代理類Process對multiprocessing.Process進行重載,Process中重寫multiprocessing.Process的run方法,而且加入exception屬性,經過exception來判斷子進程是否觸發異常。多線程
class Process(multiprocessing.Process): def __init__(self, *args, **kwargs): multiprocessing.Process.__init__(self, *args, **kwargs) self._pconn, self._cconn = multiprocessing.Pipe() self._exception = None def run(self): try: multiprocessing.Process.run(self) self._cconn.send(None) except Exception as e: tb = traceback.format_exc() self._cconn.send((e, tb)) @property def exception(self): if self._pconn.poll(): self._exception = self._pconn.recv() return self._exception
這樣咱們的代碼就能夠寫成這樣:框架
if __name__=='__main__': '''main function''' try: parent_conn, child_conn = multiprocessing.Pipe() #child_process = multiprocessing.Process(target=heavy_load_func, args=(10, child_conn)) child_process = Process(target=heavy_load_func, args=(10, child_conn)) child_process.start() child_process.join() if child_process.exception: error, traceback = child_process.exception print error child_process.terminate() else: child_return = parent_conn.recv() #若是不子進程不拋出異常就接受值,不然主進程退出,避免主進程被管道阻塞! print child_return except Exception, e: print e
本文主要介紹了一種Python多進程異常處理的方法,經過引入代理類來進行異常的轉發。文章介紹的比較簡單,其實裏面有不少東西。網站