How To Send A Sigint To Python From A Bash Script?
Solution 1:
You're not registering a signal handler. Try the below. It seems to work fairly reliably. I think the rare exception is when it catches the signal before Python registers the script's handler. Note that KeyboardInterrupt is only supposed to be raised, "when the user hits the interrupt key". I think the fact that it works for a explicit (e.g. via kill) SIGINT at all is an accident of implementation.
import signal
defquit_gracefully(*args):
print'quitting loop'
exit(0);
if __name__ == "__main__":
signal.signal(signal.SIGINT, quit_gracefully)
try:
print'starting loop'whileTrue:
passexcept KeyboardInterrupt:
quit_gracefully()
Solution 2:
In addition to @matthew-flaschen's answer, you can use exec
in the bash script to effectively replace the scope to the process being opened:
#!/bin/bashexec python loop.py &
PID=$!
sleep 5 # waiting for the python process to come upecho"sending SIGINT to process $PID"kill -SIGINT $PID
Solution 3:
I agree with Matthew Flaschen; the problem is with python, which apparently doesn't register the KeyboardInterrupt exception with SIGINT when it's not called from an interactive shell.
Of course, nothing prevents you from registering your signal handler like this:
defsignal_handler(signum, frame):
raise KeyboardInterrupt, "Signal handler"
Solution 4:
When you run command in background with &, SIGINT will be ignored. Here's the relevant section of man bash:
Non-builtin commands run by bash have signal handlers set to the values inherited by the shell from its parent. When job control is not in effect, asynchronous commands ignore SIGINT and SIGQUIT in addition to these inherited handlers. Commands run as a result of command substitution ignore the keyboard-generated job control signals SIGTTIN, SIGTTOU, and SIGTSTP.
I think you need to set signal handler explicitly as Matthew commented.
The script kill.sh also have a problem. Since loop.py is sent to background, there's no guarantee that kill runs after python loop.py.
#! /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
Solution 5:
Tried @Steen's approach, but alas, it does not apparently hold on Mac.
Another solution, pretty much the same as the above but a little more general, is to just re-install the default handler if SIGINT
is being ignored:
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()
Post a Comment for "How To Send A Sigint To Python From A Bash Script?"