在Linux启动期间自动启动和停止APScheduler?

时间:2018-01-29 17:29:26

标签: python linux apscheduler

如何在Linux启动期间自动启动和停止Python APScheduler(在我的情况下为Centos),并在关机期间停止它?

我可以在linux启动时启动一个python脚本,但是如何停止呢? (还记得PID吗?)

我想知道这是否可行,因为我希望有一个简单的部署,这样开发人员可以轻松更新测试/生产中的文件并重新启动调度程序,而不会成为根,以便他们可以启动/停止服务。

目前我通过使用tmux来启动/停止调度程序,这是有效的,但我似乎无法找到一种改进的好方法,以便在服务器启动/停止期间它自动启动/停止并在a期间轻松更新部署:(

1 个答案:

答案 0 :(得分:1)

通常会创建一个扩展名为.pid的文件来保存进程PID。 然后你需要注册一个信号处理程序来干净地退出,并确保你在退出时删除.pid文件。

例如:

#!/usr/bin/env python

import signal
import atexit
import os

PID_FILE_PATH = "program.pid"
stop = False

def create_pid_file():
    # this creates a file called program.pid
    with open(PID_FILE_PATH, "w") as fhandler:
        # and stores the PID in it
        fhandler.write(str(os.getpid()))

def sigint_handler(signum, frame):
    print("Cleanly exiting")
    global stop

    # this will break the main loop
    stop = True

def exit_handler():
    # delete PID file
    os.unlink(PID_FILE_PATH)

def main():
    create_pid_file()

    # this makes exit_handler to be called automatically when the program exists
    atexit.register(exit_handler)

    # this makes sigint_handler to be called when a signal SIGTERM 
    # is sent to the process, e.g with command: kill -SIGTERM $PID
    signal.signal(signal.SIGTERM, sigint_handler)

    while not stop:
        # this represents your main loop
        pass

if __name__ == "__main__":
    main()