Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to properly handle and retain system shutdown (and SIGTERM) in order to finish its job in Python?

Tags:

python

unix

Basic need : I've a Python daemon that's calling another program through os.system. My wish is to be able to properly to handle system shutdown or SIGTERM in order to let the called program return and then exiting.

What I've already tried: I've tried an approach using signal :

import signal, time

def handler(signum = None, frame = None):
    print 'Signal handler called with signal', signum
    time.sleep(3)
    #here check if process is done
    print 'Wait done'

signal.signal(signal.SIGTERM , handler)

while True:
    time.sleep(6)

The usage of time.sleep doesn't seems to work and the second print is never called.

I've read few words about atexit.register(handler) instead of signal.signal(signal.SIGTERM, handler) but nothing is called on kill.

like image 547
AsTeR Avatar asked Dec 23 '11 14:12

AsTeR


1 Answers

Your code does almost work, except you forgot to exit after cleaning up.

We often need to catch various other signals such as INT, HUP and QUIT, but not so much with daemons.

import sys, signal, time

def handler(signum = None, frame = None):
    print 'Signal handler called with signal', signum
    time.sleep(1)  #here check if process is done
    print 'Wait done'
    sys.exit(0)

for sig in [signal.SIGTERM, signal.SIGINT, signal.SIGHUP, signal.SIGQUIT]:
    signal.signal(sig, handler)

while True:
    time.sleep(6)

On many systems, ordinary processes don't have much time to clean up during shutdown. To be safe, you could write an init.d script to stop your daemon and wait for it.

like image 52
Sam Watkins Avatar answered Sep 21 '22 19:09

Sam Watkins