这是一个例子:
from multiprocessing import Process
import time
def func():
print('sub process is running')
time.sleep(5)
print('sub process finished')
if __name__ == '__main__':
p = Process(target=func)
p.start()
print('done')
我期望主进程在启动子进程后立即终止。但是在打印出'done'之后,终端仍在等待......有没有办法这样做,以便主打印出'完成'后立即退出,而不是等待子进程?我在这里很困惑,因为我没有打电话给p.join()
答案 0 :(得分:3)
在@falsetru的出色回答之后,我以装饰器的形式写了一个快速的概括。
import os
from multiprocessing import Process
def detachify(func):
"""Decorate a function so that its calls are async in a detached process.
Usage
-----
.. code::
import time
@detachify
def f(message):
time.sleep(5)
print(message)
f('Async and detached!!!')
"""
# create a process fork and run the function
def forkify(*args, **kwargs):
if os.fork() != 0:
return
func(*args, **kwargs)
# wrapper to run the forkified function
def wrapper(*args, **kwargs):
proc = Process(target=lambda: forkify(*args, **kwargs))
proc.start()
proc.join()
return
return wrapper
用法(从文档字符串复制):
import time
@detachify
def f(message):
time.sleep(5)
print(message)
f('Async and detached!!!')
或者,如果您愿意,
def f(message):
time.sleep(5)
print(message)
detachify(f)('Async and detached!!!')
答案 1 :(得分:1)
如果存在非daemon process,Python将不会结束。
通过在daemon
调用之前设置start()
属性,您可以使进程保持守护程序。
p = Process(target=func)
p.daemon = True # <-----
p.start()
print('done')
注意:不会打印sub process finished
条消息;因为主进程将在退出时终止子进程。这可能不是你想要的。
你应该做双叉:
import os
import time
from multiprocessing import Process
def func():
if os.fork() != 0: # <--
return # <--
print('sub process is running')
time.sleep(5)
print('sub process finished')
if __name__ == '__main__':
p = Process(target=func)
p.start()
p.join()
print('done')