如何从bash脚本向Python发送SIGINT?

时间:2009-06-10 07:46:28

标签: python bash

我想从bash脚本启动后台Python作业,然后使用SIGINT正常杀死它。这可以从shell中正常工作,但我似乎无法在脚本中使用它。

loop.py:

#! /usr/bin/env python
if __name__ == "__main__":
    try:
        print 'starting loop'
        while True:
            pass
    except KeyboardInterrupt:
        print 'quitting loop'

从shell中我可以打断它:

$ python loop.py &
[1] 15420
starting loop
$ kill -SIGINT 15420
quitting loop
[1]+  Done                    python loop.py

kill.sh:

#! /bin/bash
python loop.py &
PID=$!
echo "sending SIGINT to process $PID"
kill -SIGINT $PID

但是从脚本我不能:

$ ./kill.sh 
starting loop
sending SIGINT to process 15452
$ ps ax | grep loop.py | grep -v grep
15452 pts/3    R      0:08 python loop.py

而且,如果它是从脚本启动的,我就不能再从shell中删除它了:

$ kill -SIGINT 15452
$ ps ax | grep loop.py | grep -v grep
15452 pts/3    R      0:34 python loop.py

我假设我错过了一些关于bash工作控制的好点。

5 个答案:

答案 0 :(得分:15)

您没有注册信号处理程序。试试下面的内容。它看起来相当可靠。我认为罕见的例外是它在Python注册脚本的处理程序之前捕获信号。请注意,只有当用户点击中断键时才会引发KeyboardInterrupt。我认为它适用于明确(例如通过杀死)SIGINT的事实是实施的意外。

import signal

def quit_gracefully(*args):
    print 'quitting loop'
    exit(0);

if __name__ == "__main__":
    signal.signal(signal.SIGINT, quit_gracefully)

    try:
        print 'starting loop'
        while True:
            pass
    except KeyboardInterrupt:
        quit_gracefully()

答案 1 :(得分:4)

我同意Matthew Flaschen;问题出在python上,当没有从交互式shell调用时,它显然没有用SIGINT注册KeyboardInterrupt异常。

当然,没有什么可以阻止你注册这样的信号处理程序:

def signal_handler(signum, frame):
    raise KeyboardInterrupt, "Signal handler"

答案 2 :(得分:2)

使用&在后台运行命令时,将忽略SIGINT。 这是man bash的相关部分:

  

bash运行的非内置命令将信号处理程序设置为shell继承的值   它的父母。当作业控制无效时,异步命令忽略SIGINT和SIGQUIT   除了这些继承的处理程序。由于命令替换而运行的命令忽略   键盘生成的作业控制信号SIGTTIN,SIGTTOU和SIGTSTP。

我认为您需要明确设置信号处理程序,如Matthew所述。

脚本kill.sh也有问题。由于loop.py被发送到后台,因此不能保证在python loop.py之后kill会运行。

#! /bin/bash
python loop.py &
PID=$!
#
# NEED TO WAIT ON EXISTENCE OF python loop.py PROCESS HERE.
#
echo "sending SIGINT to process $PID"
kill -SIGINT $PID

答案 3 :(得分:2)

除了@ matthew-flaschen的回答之外,你可以在bash脚本中使用exec来有效地将范围替换为正在打开的进程:

#!/bin/bash
exec python loop.py &
PID=$!
sleep 5  # waiting for the python process to come up

echo "sending SIGINT to process $PID"
kill -SIGINT $PID

答案 4 :(得分:1)

尝试了@Steen的方法,但是唉,它显然不适用于Mac。

另一个解决方案,与上面几乎相同,但更为一般,只是在忽略SIGINT时重新安装默认处理程序:

def _ensure_sigint_handler():
    # On Mac, even using `exec <cmd>` in `bash` still yields an ignored SIGINT.
    sig = signal.getsignal(signal.SIGINT)
    if signal.getsignal(signal.SIGINT) == signal.SIG_IGN:
        signal.signal(signal.SIGINT, signal.default_int_handler)
# ...
_ensure_sigint_handler()