python 多線程與多進程效率測試

1、概述

在Python中,計算密集型任務適用於多進程,IO密集型任務適用於多線程

正常來講,多線程要比多進程效率更高,因為進程間的切換需要的資源和開銷更大,而線程相對更小,但是我們使用的Python大多數的解釋器是Cpython,眾所周知Cpython有個GIL鎖,導致執行計算密集型任務時多線程實際隻能是單線程,而且由於線程之間切換的開銷導致多線程往往比實際的單線程還要慢,所以在 python 中計算密集型任務通常使用多進程,因為各個進程有各自獨立的GIL,互不幹擾。

而在IO密集型任務中,CPU時常處於等待狀態,操作系統需要頻繁與外界環境進行交互,如讀寫文件,在網絡間通信等。在這期間GIL會被釋放,因而就可以使用真正的多線程。

上面都是理論,接下來實戰看看實際效果是否符合理論

2、代碼練習

"""多線程多進程模擬執行效率"""


from multiprocessing import Pool
from threading import Thread
import time, math


def simulation_IO(a):
    """模擬IO操作"""
    time.sleep(3)


def simulation_compute(a):
    """模擬計算密集型任務"""
    for i in range(int(1e7)):
        math.sin(40) + math.cos(40)
    return


def normal_func(func):
    """普通方法執行效率"""
    for i in range(6):
        func(i)
    return


def mp(func):
    """進程池中的map方法"""
    with Pool(processes=6) as p:
        res = p.map(func, list(range(6)))
    return


def asy(func):
    """進程池中的異步執行"""
    with Pool(processes=6) as p:
        result = []
        for j in range(6):
            a = p.apply_async(func, args=(j, ))
            result.append(a)
        res = [j.get() for j in result]


def thread(func):
    """多線程方法"""
    threads = []
    for j in range(6):
        t = Thread(target=func, args=(j, ))
        threads.append(t)
        t.start()
    for t in threads:
        t.join()


def showtime(f, func, name):
    """
    計算並展示函數的運行時間
    :param f: 多進程和多線程的方法
    :param func: 多進程和多線程方法中需要傳入的函數
    :param name: 方法的名字
    :return:
    """
    start_time = time.time()
    f(func)
    print(f"{name} time: {time.time() - start_time:.4f}s")


def main(func):
    """
    運行程序的主函數
    :param func: 傳入需要計算時間的函數名
    """
    showtime(normal_func, func, "normal")
    print()
    print("------ 多進程 ------")
    showtime(mp, func, "map")
    showtime(asy, func, "async")
    print()
    print("----- 多線程 -----")
    showtime(thread, func, "thread")


if __name__ == "__main__":
    print("------------ 計算密集型 ------------")
    func = simulation_compute
    main(func)
    print()
    print()
    print()
    print("------------ IO 密集型 ------------")
    func = simulation_IO
    main(func)
 

3、運行結果

線性執行 多進程(map) 多進程(async) 多線程
計算密集型 16.0284s 3.5236s 3.4367s 15.2142s
IO密集型 18.0201s 3.0945s 3.0809s 3.0041s

從表格中很明顯的可以看出:

  • 計算密集型任務的速度:多進程 >多線程> 單進程/線程
  • IO密集型任務速度: 多線程 > 多進程 > 單進程/線程。

所以,針對計算密集型任務使用多進程,針對IO密集型任務使用多線程

到此這篇關於python 多線程與多進程效率測試 的文章就介紹到這瞭,更多相關python 多線程內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: