我正在编写一个python脚本,启动几个进程和数据库连接。有时我想用Ctrl+C信号终止脚本,我想做一些清理工作。

在Perl中,我会这样做:

$SIG{'INT'} = 'exit_gracefully';

sub exit_gracefully {
    print "Caught ^C \n";
    exit (0);
}

如何在Python中进行类似操作?


当前回答

如果你想确保你的清理过程完成,我将通过使用SIG_IGN添加到Matt J的答案,这样进一步的SIGINT将被忽略,这将防止你的清理被打断。

import signal
import sys

def signal_handler(signum, frame):
    signal.signal(signum, signal.SIG_IGN) # ignore additional signals
    cleanup() # give your process a chance to clean up
    sys.exit(0)

signal.signal(signal.SIGINT, signal_handler) # register the signal with the signal handler first
do_stuff()

其他回答

你可以像对待其他异常一样对待它(KeyboardInterrupt)。创建一个新文件,并在shell中运行它,包含以下内容,看看我的意思:

import time, sys

x = 1
while True:
    try:
        print x
        time.sleep(.3)
        x += 1
    except KeyboardInterrupt:
        print "Bye"
        sys.exit()

另一个片段

将main作为main函数,将exit_elegant作为Ctrl+C处理程序

if __name__ == '__main__':
    try:
        main()
    except KeyboardInterrupt:
        pass
    finally:
        exit_gracefully()

就我个人而言,我不能使用try/,除非KeyboardInterrupt,因为我使用的是阻塞的标准套接字(IPC)模式。因此,SIGINT是被提示的,但只有在接收到套接字上的数据后才会出现。

设置信号处理程序的行为与此相同。

另一方面,这只适用于实际的终端。其他启动环境可能不接受Ctrl+C或预处理信号。

此外,在Python中有“异常”和“BaseException”,它们的区别在于解释器需要自己干净地退出,因此一些异常的优先级高于其他异常(异常派生自BaseException)

你可以通过捕获KeyboardInterrupt异常来处理CTRL+C。您可以在异常处理程序中实现任何清理代码。

感谢已有的答案,但添加了signal.getsignal()

import signal

# store default handler of signal.SIGINT
default_handler = signal.getsignal(signal.SIGINT)
catch_count = 0

def handler(signum, frame):
    global default_handler, catch_count
    catch_count += 1
    print ('wait:', catch_count)
    if catch_count > 3:
        # recover handler for signal.SIGINT
        signal.signal(signal.SIGINT, default_handler)
        print('expecting KeyboardInterrupt')

signal.signal(signal.SIGINT, handler)
print('Press Ctrl+c here')

while True:
    pass