如何使Python脚本像Linux中的服务或守护程序一样运行

时间:2009-10-21 19:36:35

标签: python linux scripting daemons

我编写了一个Python脚本,用于检查某个电子邮件地址并将新电子邮件传递给外部程序。如何让这个脚本全天候执行,例如将其转换为Linux中的守护程序或服务。我还需要一个永远不会在程序中结束的循环,还是可以通过多次重复执行代码来完成?

15 个答案:

答案 0 :(得分:90)

这里有两个选择。

  1. 制作适当的 cron作业,调用您的脚本。 Cron是GNU / Linux守护程序的通用名称,它根据您设置的计划定期启动脚本。将脚本添加到crontab中或将符号链接放入特殊目录中,守护程序处理在后台启动它的作业。您可以在维基百科上read more。有各种不同的cron守护进程,但你的GNU / Linux系统应该已经安装它。

  2. 使用某种 python方法(例如一个库)让脚本能够守护自己。是的,它需要一个简单的事件循环(你的事件是定时器触发,可能由睡眠功能提供)。

  3. 我不建议你选择2.,因为你实际上是在重复cron功能。 Linux系统范例是让多个简单工具交互并解决您的问题。除非您有其他原因要制作守护进程(除了定期触发),否则请选择其他方法。

    此外,如果您使用daemonize循环并且发生崩溃,那么之后没有人会检查邮件(正如Ivan Nevostruevthis的评论中所指出的那样)。如果脚本被添加为cron作业,它将再次触发。

答案 1 :(得分:67)

这是一个很好的课程,取自here

#!/usr/bin/env python

import sys, os, time, atexit
from signal import SIGTERM

class Daemon:
        """
        A generic daemon class.

        Usage: subclass the Daemon class and override the run() method
        """
        def __init__(self, pidfile, stdin='/dev/null', stdout='/dev/null', stderr='/dev/null'):
                self.stdin = stdin
                self.stdout = stdout
                self.stderr = stderr
                self.pidfile = pidfile

        def daemonize(self):
                """
                do the UNIX double-fork magic, see Stevens' "Advanced
                Programming in the UNIX Environment" for details (ISBN 0201563177)
                http://www.erlenstar.demon.co.uk/unix/faq_2.html#SEC16
                """
                try:
                        pid = os.fork()
                        if pid > 0:
                                # exit first parent
                                sys.exit(0)
                except OSError, e:
                        sys.stderr.write("fork #1 failed: %d (%s)\n" % (e.errno, e.strerror))
                        sys.exit(1)

                # decouple from parent environment
                os.chdir("/")
                os.setsid()
                os.umask(0)

                # do second fork
                try:
                        pid = os.fork()
                        if pid > 0:
                                # exit from second parent
                                sys.exit(0)
                except OSError, e:
                        sys.stderr.write("fork #2 failed: %d (%s)\n" % (e.errno, e.strerror))
                        sys.exit(1)

                # redirect standard file descriptors
                sys.stdout.flush()
                sys.stderr.flush()
                si = file(self.stdin, 'r')
                so = file(self.stdout, 'a+')
                se = file(self.stderr, 'a+', 0)
                os.dup2(si.fileno(), sys.stdin.fileno())
                os.dup2(so.fileno(), sys.stdout.fileno())
                os.dup2(se.fileno(), sys.stderr.fileno())

                # write pidfile
                atexit.register(self.delpid)
                pid = str(os.getpid())
                file(self.pidfile,'w+').write("%s\n" % pid)

        def delpid(self):
                os.remove(self.pidfile)

        def start(self):
                """
                Start the daemon
                """
                # Check for a pidfile to see if the daemon already runs
                try:
                        pf = file(self.pidfile,'r')
                        pid = int(pf.read().strip())
                        pf.close()
                except IOError:
                        pid = None

                if pid:
                        message = "pidfile %s already exist. Daemon already running?\n"
                        sys.stderr.write(message % self.pidfile)
                        sys.exit(1)

                # Start the daemon
                self.daemonize()
                self.run()

        def stop(self):
                """
                Stop the daemon
                """
                # Get the pid from the pidfile
                try:
                        pf = file(self.pidfile,'r')
                        pid = int(pf.read().strip())
                        pf.close()
                except IOError:
                        pid = None

                if not pid:
                        message = "pidfile %s does not exist. Daemon not running?\n"
                        sys.stderr.write(message % self.pidfile)
                        return # not an error in a restart

                # Try killing the daemon process       
                try:
                        while 1:
                                os.kill(pid, SIGTERM)
                                time.sleep(0.1)
                except OSError, err:
                        err = str(err)
                        if err.find("No such process") > 0:
                                if os.path.exists(self.pidfile):
                                        os.remove(self.pidfile)
                        else:
                                print str(err)
                                sys.exit(1)

        def restart(self):
                """
                Restart the daemon
                """
                self.stop()
                self.start()

        def run(self):
                """
                You should override this method when you subclass Daemon. It will be called after the process has been
                daemonized by start() or restart().
                """

答案 2 :(得分:50)

您应该使用python-daemon库,它可以处理所有事情。

从PyPI:库实现一个行为良好的Unix守护进程。

答案 3 :(得分:37)

您可以使用fork()从tty中分离脚本并让它继续运行,如下所示:

import os, sys
fpid = os.fork()
if fpid!=0:
  # Running as daemon now. PID is fpid
  sys.exit(0)

当然你还需要实现一个无限循环,比如

while 1:
  do_your_check()
  sleep(5)

希望这是你的开始。

答案 4 :(得分:14)

假设您确实希望循环将24/7作为后台服务运行

对于不涉及使用库注入代码的解决方案,由于使用的是Linux,因此您可以简单地创建服务模板:

[Unit]
Description = <Your service description here>
After = network.target # Assuming you want to start after network interfaces are made available
 
[Service]
Type = simple
ExecStart = python <Path of the script you want to run>
User = # User to run the script as
Group = # Group to run the script as
Restart = on-failure # Restart when there are errors
SyslogIdentifier = <Name of logs for the service>
RestartSec = 5
TimeoutStartSec = infinity
 
[Install]
WantedBy = multi-user.target # Make it accessible to other users

将该文件放置在/etc/systemd/system/文件中的守护程序服务文件夹(通常为*.service)中,并使用以下systemctl命令进行安装(可能需要sudo特权):

systemctl enable <service file name without .service extension>

systemctl daemon-reload

systemctl start <service file name without .service extension>

然后可以使用以下命令检查服务是否正在运行:

systemctl | grep running

答案 5 :(得分:13)

您还可以使用shell脚本将python脚本作为服务运行。首先创建一个shell脚本来运行这样的python脚本(scriptname arbitary name)

#!/bin/sh
script='/home/.. full path to script'
/usr/bin/python $script &

现在在/etc/init.d/scriptname

中创建一个文件
#! /bin/sh

PATH=/bin:/usr/bin:/sbin:/usr/sbin
DAEMON=/home/.. path to shell script scriptname created to run python script
PIDFILE=/var/run/scriptname.pid

test -x $DAEMON || exit 0

. /lib/lsb/init-functions

case "$1" in
  start)
     log_daemon_msg "Starting feedparser"
     start_daemon -p $PIDFILE $DAEMON
     log_end_msg $?
   ;;
  stop)
     log_daemon_msg "Stopping feedparser"
     killproc -p $PIDFILE $DAEMON
     PID=`ps x |grep feed | head -1 | awk '{print $1}'`
     kill -9 $PID       
     log_end_msg $?
   ;;
  force-reload|restart)
     $0 stop
     $0 start
   ;;
  status)
     status_of_proc -p $PIDFILE $DAEMON atd && exit 0 || exit $?
   ;;
 *)
   echo "Usage: /etc/init.d/atd {start|stop|restart|force-reload|status}"
   exit 1
  ;;
esac

exit 0

现在,您可以使用命令/etc/init.d/scriptname start或stop来启动和停止python脚本。

答案 6 :(得分:11)

对于许多目的来说,

cron显然是一个很好的选择。但是,它不会像您在OP中请求的那样创建服务或守护程序。 cron只是定期运行作业(意味着作业开始和停止),并且不会超过一次/分钟。 cron存在问题 - 例如,如果您的脚本的先前实例在下次cron计划出现并启动新实例时仍在运行,那可以吗? cron不处理依赖关系;它只是试图在时间表说到的时候开始工作。

如果您发现需要守护程序的情况(一个永不停止运行的进程),请查看supervisord。它提供了一种简单的方法来包装正常的非守护程序脚本或程序,并使其像守护程序一样运行。这是一种比创建本机Python守护进程更好的方法。

答案 7 :(得分:9)

一个简单的supported版本是Deamonize 从Python包索引(PyPI)安装它:

$ pip install daemonize

然后使用like:

...
import os, sys
from daemonize import Daemonize
...
def main()
      # your code here

if __name__ == '__main__':
        myname=os.path.basename(sys.argv[0])
        pidfile='/tmp/%s' % myname       # any name
        daemon = Daemonize(app=myname,pid=pidfile, action=main)
        daemon.start()

答案 8 :(得分:8)

如何在linux上使用$nohup命令?

我用它在我的Bluehost服务器上运行我的命令。

如果我错了,请告知。

答案 9 :(得分:4)

Ubuntu有一种非常简单的方法来管理服务。 对于python,区别在于所有依赖项(包)都必须位于运行主文件的同一目录中。

我只是设法创建一种服务来向我的客户提供天气信息。 步骤:

  • 像平常一样创建您的python应用程序项目。

  • 在本地安装所有依赖项,例如: sudo pip3 install package_name -t。

  • 创建命令行变量,并在代码中处理它们(如果需要)

  • 创建服务文件。 (极简主义者)类似:

      [Unit]
      Description=1Droid Weather meddleware provider
    
      [Service]
      Restart=always
      User=root
      WorkingDirectory=/home/ubuntu/weather
      ExecStart=/usr/bin/python3 /home/ubuntu/weather/main.py httpport=9570  provider=OWMap
    
      [Install]
      WantedBy=multi-user.target
    
  • 将文件另存为myweather.service(例如)

  • 如果在当前目录中启动,请确保您的应用可以运行

      python3  main.py httpport=9570  provider=OWMap
    
  • 上面产生的名为myweather.service的服务文件(重要的扩展名为.service)将被系统视为您的服务名称。这就是您将用来与服务进行交互的名称。

  • 复制服务文件:

      sudo cp myweather.service /lib/systemd/system/myweather.service
    
  • 刷新恶魔注册表:

      sudo systemctl daemon-reload
    
  • 停止服务(如果正在运行)

      sudo service myweatherr stop
    
  • 启动服务:

      sudo service myweather start
    
  • 检查状态(带有打印语句的日志文件):

      tail -f /var/log/syslog
    
  • 或通过以下方式查看状态:

      sudo service myweather status
    
  • 如有需要,请重新进行迭代

该服务正在运行,即使您注销也不会受到影响。 是的,如果主机关闭并重新启动,则此服务将重新启动...有关我的移动android应用程序的信息...

答案 10 :(得分:3)

首先,阅读邮件别名。邮件别名将在邮件系统内执行此操作,而无需使用守护程序或服务或任何类型的任何东西。

每次将邮件发送到特定邮箱时,您都可以编写一个由sendmail执行的简单脚本。

请参阅http://www.feep.net/sendmail/tutorial/intro/aliases.html

如果你真的想写一个不必要的复杂服务器,你可以这样做。

nohup python myscript.py &

这就是全部。你的脚本只是循环和睡眠。

import time
def do_the_work():
    # one round of polling -- checking email, whatever.
while True:
    time.sleep( 600 ) # 10 min.
    try:
        do_the_work()
    except:
        pass

答案 11 :(得分:3)

如果您正在使用终端(ssh或其他)并且想要从终端注销后保持长时间脚本正常工作,可以试试这个:

screen

apt-get install screen

在里面创建一个虚拟终端(即abc):screen -dmS abc

现在我们连接到abc:screen -r abc

所以,现在我们可以运行python脚本:python Keep_sending_mail.py

从现在开始,您可以直接关闭终端,但是,python脚本将继续运行而不是关闭

  

由于这个Keep_sending_mail.py的PID属于虚拟屏幕而不是虚拟屏幕   终端(SSH)

如果您想返回检查脚本运行状态,可以再次使用screen -r abc

答案 12 :(得分:1)

使用您系统提供的任何服务管理器 - 例如在Ubuntu下使用 upstart 。这将为您处理所有细节,例如启动时启动,崩溃时重启等等。

答案 13 :(得分:1)

我会推荐这个解决方案。您需要继承并覆盖方法run

import sys
import os
from signal import SIGTERM
from abc import ABCMeta, abstractmethod



class Daemon(object):
    __metaclass__ = ABCMeta


    def __init__(self, pidfile):
        self._pidfile = pidfile


    @abstractmethod
    def run(self):
        pass


    def _daemonize(self):
        # decouple threads
        pid = os.fork()

        # stop first thread
        if pid > 0:
            sys.exit(0)

        # write pid into a pidfile
        with open(self._pidfile, 'w') as f:
            print >> f, os.getpid()


    def start(self):
        # if daemon is started throw an error
        if os.path.exists(self._pidfile):
            raise Exception("Daemon is already started")

        # create and switch to daemon thread
        self._daemonize()

        # run the body of the daemon
        self.run()


    def stop(self):
        # check the pidfile existing
        if os.path.exists(self._pidfile):
            # read pid from the file
            with open(self._pidfile, 'r') as f:
                pid = int(f.read().strip())

            # remove the pidfile
            os.remove(self._pidfile)

            # kill daemon
            os.kill(pid, SIGTERM)

        else:
            raise Exception("Daemon is not started")


    def restart(self):
        self.stop()
        self.start()

答案 14 :(得分:0)

创建一些像服务一样运行的东西你可以使用这个东西:

您必须做的第一件事是安装Cement框架: 水泥框架工作是一个CLI框架工作,您可以在其上部署应用程序。

app的命令行界面:

interface.py

 from cement.core.foundation import CementApp
 from cement.core.controller import CementBaseController, expose
 from YourApp import yourApp

 class Meta:
    label = 'base'
    description = "your application description"
    arguments = [
        (['-r' , '--run'],
          dict(action='store_true', help='Run your application')),
        (['-v', '--version'],
          dict(action='version', version="Your app version")),
        ]
        (['-s', '--stop'],
          dict(action='store_true', help="Stop your application")),
        ]

    @expose(hide=True)
    def default(self):
        if self.app.pargs.run:
            #Start to running the your app from there !
            YourApp.yourApp()
        if self.app.pargs.stop:
            #Stop your application
            YourApp.yourApp.stop()

 class App(CementApp):
       class Meta:
       label = 'Uptime'
       base_controller = 'base'
       handlers = [MyBaseController]

 with App() as app:
       app.run()

YourApp.py类:

 import threading

 class yourApp:
     def __init__:
        self.loger = log_exception.exception_loger()
        thread = threading.Thread(target=self.start, args=())
        thread.daemon = True
        thread.start()

     def start(self):
        #Do every thing you want
        pass
     def stop(self):
        #Do some things to stop your application

请记住,您的应用必须在作为守护程序的线程上运行

要运行应用程序,只需在命令行中执行此操作

  

python interface.py --help