先前接受的解决方案具有竞争条件,并且不适用于map
和async
功能。
处理Ctrl+C/ SIGINT
with的正确方法multiprocessing.Pool
是:
SIGINT
在创建进程之前忽略该进程Pool
。这种方式创建的子进程继承SIGINT
处理程序。
SIGINT
在创建a 之后恢复父进程中的原始处理程序Pool
。
- 使用
map_async
andapply_async
而不是阻塞map
and apply
。
- 等待结果超时,因为默认阻塞等待忽略所有信号。这是 Python 错误https://bugs.python.org/issue8296。
把它放在一起:
#!/bin/env python
from __future__ import print_function
import multiprocessing
import os
import signal
import time
def run_worker(delay):
print("In a worker process", os.getpid())
time.sleep(delay)
def main():
print("Initializng 2 workers")
original_sigint_handler = signal.signal(signal.SIGINT, signal.SIG_IGN)
pool = multiprocessing.Pool(2)
signal.signal(signal.SIGINT, original_sigint_handler)
try:
print("Starting 2 jobs of 5 seconds each")
res = pool.map_async(run_worker, [5, 5])
print("Waiting for results")
res.get(60) # Without the timeout this blocking call ignores all signals.
except KeyboardInterrupt:
print("Caught KeyboardInterrupt, terminating workers")
pool.terminate()
else:
print("Normal termination")
pool.close()
pool.join()
if __name__ == "__main__":
main()
正如@YakovShklarov 所指出的,在父进程中忽略信号和取消忽略信号之间有一个时间窗口,在此期间信号可能会丢失。改为临时阻止父进程中的信号传递将pthread_sigmask
防止信号丢失,但是,它在 Python-2 中不可用。