I’m working on a python script that starts several processes and database connections. Every now and then I want to kill the script with a Ctrl+C signal, and I’d like to do some cleanup.
In Perl I’d do this:
JavaScript
x
7
1
$SIG{'INT'} = 'exit_gracefully';
2
3
sub exit_gracefully {
4
print "Caught ^C n";
5
exit (0);
6
}
7
How do I do the analogue of this in Python?
Advertisement
Answer
Register your handler with signal.signal
like this:
JavaScript
1
12
12
1
#!/usr/bin/env python
2
import signal
3
import sys
4
5
def signal_handler(sig, frame):
6
print('You pressed Ctrl+C!')
7
sys.exit(0)
8
9
signal.signal(signal.SIGINT, signal_handler)
10
print('Press Ctrl+C')
11
signal.pause()
12
Code adapted from here.
More documentation on signal
can be found here.