基于这个问题,我假设创建新进程应该几乎和在 Linux中创建新线程一样快。然而,很少的测试显示出非常不同的结果。这是我的代码:
from multiprocessing import Process, Pool
from threading import Thread
times = 1000
def inc(a):
b = 1
return a + b
def processes():
for i in xrange(times):
p = Process(target=inc, args=(i, ))
p.start()
p.join()
def threads():
for i in xrange(times):
t = Thread(target=inc, args=(i, ))
t.start()
t.join()
测试:
>>> timeit processes()
1 loops, best of 3: 3.8 s per loop
>>> timeit threads()
10 loops, best of 3: 98.6 ms per loop
因此,创建过程几乎要慢 40 倍!为什么会这样?它是特定于 Python 还是这些库?还是我只是误解了上面的答案?
UPD 1.使它更清楚。我知道这段代码实际上并没有引入任何并发性。这里的目标是测试创建进程和线程所需的时间。要在 Python 中使用真正的并发,可以使用如下内容:
def pools():
pool = Pool(10)
pool.map(inc, xrange(times))
它的运行速度确实比线程版本快得多。
UPD 2.我添加了以下版本os.fork()
:
for i in xrange(times):
child_pid = os.fork()
if child_pid:
os.waitpid(child_pid, 0)
else:
exit(-1)
结果是:
$ time python test_fork.py
real 0m3.919s
user 0m0.040s
sys 0m0.208s
$ time python test_multiprocessing.py
real 0m1.088s
user 0m0.128s
sys 0m0.292s
$ time python test_threadings.py
real 0m0.134s
user 0m0.112s
sys 0m0.048s