pax_global_header00006660000000000000000000000064127464276710014532gustar00rootroot0000000000000052 comment=a23fdadee01288cbefb30147501012f98cd17aaa daemonize-2.4.7/000077500000000000000000000000001274642767100135175ustar00rootroot00000000000000daemonize-2.4.7/.gitignore000066400000000000000000000001111274642767100155000ustar00rootroot00000000000000*.pyc .ropeproject __pycache__ docs/_build build daemonize.egg-info dist daemonize-2.4.7/.travis.yml000066400000000000000000000004361274642767100156330ustar00rootroot00000000000000language: python python: - "2.6" - "2.7" - "3.3" - "3.4" - "3.5" install: sudo pip install nose sphinx sphinx_rtd_theme; sudo pip install . script: sudo nosetests && sudo make docs notifications: webhooks: - http://tg.thesharp.org:8888/travis sudo: true daemonize-2.4.7/LICENSE000066400000000000000000000021121274642767100145200ustar00rootroot00000000000000Copyright (c) 2012, 2013, 2014 Ilya Otyutskiy Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. daemonize-2.4.7/MANIFEST.in000066400000000000000000000001451274642767100152550ustar00rootroot00000000000000include MANIFEST.in include README.rst include LICENSE graft docs recursive-exclude docs *.pyc *.pyodaemonize-2.4.7/Makefile000066400000000000000000000002331274642767100151550ustar00rootroot00000000000000all: clean upload clean: rm -rf dist daemonize.egg-info upload: python setup.py sdist bdist_wheel upload docs: sphinx-build -b html docs docs/_build daemonize-2.4.7/README.rst000066400000000000000000000043101274642767100152040ustar00rootroot00000000000000daemonize ======================== .. image:: https://readthedocs.org/projects/daemonize/badge/?version=latest :target: http://daemonize.readthedocs.org/en/latest/?badge=latest :alt: Latest version .. image:: https://img.shields.io/travis/thesharp/daemonize.svg :target: http://travis-ci.org/thesharp/daemonize :alt: Travis CI .. image:: https://img.shields.io/pypi/dm/daemonize.svg :target: https://pypi.python.org/pypi/daemonize :alt: PyPI montly downloads .. image:: https://img.shields.io/pypi/v/daemonize.svg :target: https://pypi.python.org/pypi/daemonize :alt: PyPI last version available .. image:: https://img.shields.io/pypi/l/daemonize.svg :target: https://pypi.python.org/pypi/daemonize :alt: PyPI license **daemonize** is a library for writing system daemons in Python. It is distributed under MIT license. Latest version can be downloaded from `PyPI `__. Full documentation can be found at `ReadTheDocs `__. Dependencies ------------ It is tested under following Python versions: - 2.6 - 2.7 - 3.3 - 3.4 - 3.5 Installation ------------ You can install it from Python Package Index (PyPI): :: $ pip install daemonize Usage ----- .. code-block:: python from time import sleep from daemonize import Daemonize pid = "/tmp/test.pid" def main(): while True: sleep(5) daemon = Daemonize(app="test_app", pid=pid, action=main) daemon.start() File descriptors ---------------- Daemonize object's constructor understands the optional argument **keep\_fds** which contains a list of FDs which should not be closed. For example: .. code-block:: python import logging from daemonize import Daemonize pid = "/tmp/test.pid" logger = logging.getLogger(__name__) logger.setLevel(logging.DEBUG) logger.propagate = False fh = logging.FileHandler("/tmp/test.log", "w") fh.setLevel(logging.DEBUG) logger.addHandler(fh) keep_fds = [fh.stream.fileno()] def main(): logger.debug("Test") daemon = Daemonize(app="test_app", pid=pid, action=main, keep_fds=keep_fds) daemon.start() daemonize-2.4.7/daemonize.py000066400000000000000000000221021274642767100160410ustar00rootroot00000000000000# #!/usr/bin/python import fcntl import os import pwd import grp import sys import signal import resource import logging import atexit from logging import handlers import traceback __version__ = "2.4.7" class Daemonize(object): """ Daemonize object. Object constructor expects three arguments. :param app: contains the application name which will be sent to syslog. :param pid: path to the pidfile. :param action: your custom function which will be executed after daemonization. :param keep_fds: optional list of fds which should not be closed. :param auto_close_fds: optional parameter to not close opened fds. :param privileged_action: action that will be executed before drop privileges if user or group parameter is provided. If you want to transfer anything from privileged_action to action, such as opened privileged file descriptor, you should return it from privileged_action function and catch it inside action function. :param user: drop privileges to this user if provided. :param group: drop privileges to this group if provided. :param verbose: send debug messages to logger if provided. :param logger: use this logger object instead of creating new one, if provided. :param foreground: stay in foreground; do not fork (for debugging) :param chdir: change working directory if provided or / """ def __init__(self, app, pid, action, keep_fds=None, auto_close_fds=True, privileged_action=None, user=None, group=None, verbose=False, logger=None, foreground=False, chdir="/"): self.app = app self.pid = os.path.abspath(pid) self.action = action self.keep_fds = keep_fds or [] self.privileged_action = privileged_action or (lambda: ()) self.user = user self.group = group self.logger = logger self.verbose = verbose self.auto_close_fds = auto_close_fds self.foreground = foreground self.chdir = chdir def sigterm(self, signum, frame): """ These actions will be done after SIGTERM. """ self.logger.warn("Caught signal %s. Stopping daemon." % signum) sys.exit(0) def exit(self): """ Cleanup pid file at exit. """ self.logger.warn("Stopping daemon.") os.remove(self.pid) sys.exit(0) def start(self): """ Start daemonization process. """ # If pidfile already exists, we should read pid from there; to overwrite it, if locking # will fail, because locking attempt somehow purges the file contents. if os.path.isfile(self.pid): with open(self.pid, "r") as old_pidfile: old_pid = old_pidfile.read() # Create a lockfile so that only one instance of this daemon is running at any time. try: lockfile = open(self.pid, "w") except IOError: print("Unable to create the pidfile.") sys.exit(1) try: # Try to get an exclusive lock on the file. This will fail if another process has the file # locked. fcntl.flock(lockfile, fcntl.LOCK_EX | fcntl.LOCK_NB) except IOError: print("Unable to lock on the pidfile.") # We need to overwrite the pidfile if we got here. with open(self.pid, "w") as pidfile: pidfile.write(old_pid) sys.exit(1) # skip fork if foreground is specified if not self.foreground: # Fork, creating a new process for the child. try: process_id = os.fork() except OSError as e: self.logger.error("Unable to fork, errno: {0}".format(e.errno)) sys.exit(1) if process_id != 0: # This is the parent process. Exit without cleanup, # see https://github.com/thesharp/daemonize/issues/46 os._exit(0) # This is the child process. Continue. # Stop listening for signals that the parent process receives. # This is done by getting a new process id. # setpgrp() is an alternative to setsid(). # setsid puts the process in a new parent group and detaches its controlling terminal. process_id = os.setsid() if process_id == -1: # Uh oh, there was a problem. sys.exit(1) # Add lockfile to self.keep_fds. self.keep_fds.append(lockfile.fileno()) # Close all file descriptors, except the ones mentioned in self.keep_fds. devnull = "/dev/null" if hasattr(os, "devnull"): # Python has set os.devnull on this system, use it instead as it might be different # than /dev/null. devnull = os.devnull if self.auto_close_fds: for fd in range(3, resource.getrlimit(resource.RLIMIT_NOFILE)[0]): if fd not in self.keep_fds: try: os.close(fd) except OSError: pass devnull_fd = os.open(devnull, os.O_RDWR) os.dup2(devnull_fd, 0) os.dup2(devnull_fd, 1) os.dup2(devnull_fd, 2) os.close(devnull_fd) if self.logger is None: # Initialize logging. self.logger = logging.getLogger(self.app) self.logger.setLevel(logging.DEBUG) # Display log messages only on defined handlers. self.logger.propagate = False # Initialize syslog. # It will correctly work on OS X, Linux and FreeBSD. if sys.platform == "darwin": syslog_address = "/var/run/syslog" else: syslog_address = "/dev/log" # We will continue with syslog initialization only if actually have such capabilities # on the machine we are running this. if os.path.exists(syslog_address): syslog = handlers.SysLogHandler(syslog_address) if self.verbose: syslog.setLevel(logging.DEBUG) else: syslog.setLevel(logging.INFO) # Try to mimic to normal syslog messages. formatter = logging.Formatter("%(asctime)s %(name)s: %(message)s", "%b %e %H:%M:%S") syslog.setFormatter(formatter) self.logger.addHandler(syslog) # Set umask to default to safe file permissions when running as a root daemon. 027 is an # octal number which we are typing as 0o27 for Python3 compatibility. os.umask(0o27) # Change to a known directory. If this isn't done, starting a daemon in a subdirectory that # needs to be deleted results in "directory busy" errors. os.chdir(self.chdir) # Execute privileged action privileged_action_result = self.privileged_action() if not privileged_action_result: privileged_action_result = [] # Change owner of pid file, it's required because pid file will be removed at exit. uid, gid = -1, -1 if self.group: try: gid = grp.getgrnam(self.group).gr_gid except KeyError: self.logger.error("Group {0} not found".format(self.group)) sys.exit(1) if self.user: try: uid = pwd.getpwnam(self.user).pw_uid except KeyError: self.logger.error("User {0} not found.".format(self.user)) sys.exit(1) if uid != -1 or gid != -1: os.chown(self.pid, uid, gid) # Change gid if self.group: try: os.setgid(gid) except OSError: self.logger.error("Unable to change gid.") sys.exit(1) # Change uid if self.user: try: uid = pwd.getpwnam(self.user).pw_uid except KeyError: self.logger.error("User {0} not found.".format(self.user)) sys.exit(1) try: os.setuid(uid) except OSError: self.logger.error("Unable to change uid.") sys.exit(1) try: lockfile.write("%s" % (os.getpid())) lockfile.flush() except IOError: self.logger.error("Unable to write pid to the pidfile.") print("Unable to write pid to the pidfile.") sys.exit(1) # Set custom action on SIGTERM. signal.signal(signal.SIGTERM, self.sigterm) atexit.register(self.exit) self.logger.warn("Starting daemon.") try: self.action(*privileged_action_result) except Exception: for line in traceback.format_exc().split("\n"): self.logger.error(line) daemonize-2.4.7/docs/000077500000000000000000000000001274642767100144475ustar00rootroot00000000000000daemonize-2.4.7/docs/conf.py000066400000000000000000000202711274642767100157500ustar00rootroot00000000000000# -*- coding: utf-8 -*- # # daemonize documentation build configuration file, created by # sphinx-quickstart on Mon Nov 2 17:36:41 2015. # # This file is execfile()d with the current directory set to its # containing dir. # # Note that not all possible configuration values are present in this # autogenerated file. # # All configuration values have a default; values that are commented out # serve to show the default. import sys import os # If extensions (or modules to document with autodoc) are in another directory, # add these directories to sys.path here. If the directory is relative to the # documentation root, use os.path.abspath to make it absolute, like shown here. sys.path.insert(0, os.path.abspath('.')) sys.path.insert(0, os.path.abspath('..')) # -- General configuration ------------------------------------------------ # If your documentation needs a minimal Sphinx version, state it here. #needs_sphinx = '1.0' # Add any Sphinx extension module names here, as strings. They can be # extensions coming with Sphinx (named 'sphinx.ext.*') or your custom # ones. extensions = [ 'sphinx.ext.autodoc', 'sphinx.ext.viewcode', ] # Add any paths that contain templates here, relative to this directory. templates_path = ['_templates'] # The suffix of source filenames. source_suffix = '.rst' # The encoding of source files. #source_encoding = 'utf-8-sig' # The master toctree document. master_doc = 'index' # General information about the project. project = u'daemonize' copyright = u'2015, Ilya Otyutskiy' # The version info for the project you're documenting, acts as replacement for # |version| and |release|, also used in various other places throughout the # built documents. from daemonize import __version__ version = __version__ release = __version__ # The full version, including alpha/beta/rc tags. # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. #language = None # There are two options for replacing |today|: either, you set today to some # non-false value, then it is used: #today = '' # Else, today_fmt is used as the format for a strftime call. #today_fmt = '%B %d, %Y' # List of patterns, relative to source directory, that match files and # directories to ignore when looking for source files. exclude_patterns = ['_build'] # The reST default role (used for this markup: `text`) to use for all # documents. #default_role = None # If true, '()' will be appended to :func: etc. cross-reference text. #add_function_parentheses = True # If true, the current module name will be prepended to all description # unit titles (such as .. function::). #add_module_names = True # If true, sectionauthor and moduleauthor directives will be shown in the # output. They are ignored by default. #show_authors = False # The name of the Pygments (syntax highlighting) style to use. pygments_style = 'sphinx' # A list of ignored prefixes for module index sorting. #modindex_common_prefix = [] # If true, keep warnings as "system message" paragraphs in the built documents. #keep_warnings = False # -- Options for HTML output ---------------------------------------------- # The theme to use for HTML and HTML Help pages. See the documentation for # a list of builtin themes. import sphinx_rtd_theme html_theme = "sphinx_rtd_theme" html_theme_path = [sphinx_rtd_theme.get_html_theme_path()] # Theme options are theme-specific and customize the look and feel of a theme # further. For a list of options available for each theme, see the # documentation. #html_theme_options = {} # Add any paths that contain custom themes here, relative to this directory. #html_theme_path = [] # The name for this set of Sphinx documents. If None, it defaults to # " v documentation". #html_title = None # A shorter title for the navigation bar. Default is the same as html_title. #html_short_title = None # The name of an image file (relative to this directory) to place at the top # of the sidebar. #html_logo = None # The name of an image file (within the static path) to use as favicon of the # docs. This file should be a Windows icon file (.ico) being 16x16 or 32x32 # pixels large. #html_favicon = None # Add any paths that contain custom static files (such as style sheets) here, # relative to this directory. They are copied after the builtin static files, # so a file named "default.css" will overwrite the builtin "default.css". html_static_path = ['_static'] # Add any extra paths that contain custom files (such as robots.txt or # .htaccess) here, relative to this directory. These files are copied # directly to the root of the documentation. #html_extra_path = [] # If not '', a 'Last updated on:' timestamp is inserted at every page bottom, # using the given strftime format. #html_last_updated_fmt = '%b %d, %Y' # If true, SmartyPants will be used to convert quotes and dashes to # typographically correct entities. #html_use_smartypants = True # Custom sidebar templates, maps document names to template names. #html_sidebars = {} # Additional templates that should be rendered to pages, maps page names to # template names. #html_additional_pages = {} # If false, no module index is generated. #html_domain_indices = True # If false, no index is generated. #html_use_index = True # If true, the index is split into individual pages for each letter. #html_split_index = False # If true, links to the reST sources are added to the pages. #html_show_sourcelink = True # If true, "Created using Sphinx" is shown in the HTML footer. Default is True. #html_show_sphinx = True # If true, "(C) Copyright ..." is shown in the HTML footer. Default is True. #html_show_copyright = True # If true, an OpenSearch description file will be output, and all pages will # contain a tag referring to it. The value of this option must be the # base URL from which the finished HTML is served. #html_use_opensearch = '' # This is the file name suffix for HTML files (e.g. ".xhtml"). #html_file_suffix = None # Output file base name for HTML help builder. htmlhelp_basename = 'daemonizedoc' # -- Options for LaTeX output --------------------------------------------- latex_elements = { # The paper size ('letterpaper' or 'a4paper'). #'papersize': 'letterpaper', # The font size ('10pt', '11pt' or '12pt'). #'pointsize': '10pt', # Additional stuff for the LaTeX preamble. #'preamble': '', } # Grouping the document tree into LaTeX files. List of tuples # (source start file, target name, title, # author, documentclass [howto, manual, or own class]). latex_documents = [ ('index', 'daemonize.tex', u'daemonize Documentation', u'Ilya Otyutskiy', 'manual'), ] # The name of an image file (relative to this directory) to place at the top of # the title page. #latex_logo = None # For "manual" documents, if this is true, then toplevel headings are parts, # not chapters. #latex_use_parts = False # If true, show page references after internal links. #latex_show_pagerefs = False # If true, show URL addresses after external links. #latex_show_urls = False # Documents to append as an appendix to all manuals. #latex_appendices = [] # If false, no module index is generated. #latex_domain_indices = True # -- Options for manual page output --------------------------------------- # One entry per manual page. List of tuples # (source start file, name, description, authors, manual section). man_pages = [ ('index', 'daemonize', u'daemonize Documentation', [u'Ilya Otyutskiy'], 1) ] # If true, show URL addresses after external links. #man_show_urls = False # -- Options for Texinfo output ------------------------------------------- # Grouping the document tree into Texinfo files. List of tuples # (source start file, target name, title, author, # dir menu entry, description, category) texinfo_documents = [ ('index', 'daemonize', u'daemonize Documentation', u'Ilya Otyutskiy', 'daemonize', 'One line description of project.', 'Miscellaneous'), ] # Documents to append as an appendix to all manuals. #texinfo_appendices = [] # If false, no module index is generated. #texinfo_domain_indices = True # How to display URL addresses: 'footnote', 'no', or 'inline'. #texinfo_show_urls = 'footnote' # If true, do not generate a @detailmenu in the "Top" node's menu. #texinfo_no_detailmenu = False daemonize-2.4.7/docs/index.rst000066400000000000000000000006071274642767100163130ustar00rootroot00000000000000.. daemonize documentation master file, created by sphinx-quickstart on Mon Nov 2 17:36:41 2015. You can adapt this file completely to your liking, but it should at least contain the root `toctree` directive. .. include:: ../README.rst API --- .. automodule:: daemonize :members: Indices and tables ================== * :ref:`genindex` * :ref:`modindex` * :ref:`search` daemonize-2.4.7/setup.cfg000066400000000000000000000000341274642767100153350ustar00rootroot00000000000000[bdist_wheel] universal = 1 daemonize-2.4.7/setup.py000066400000000000000000000030761274642767100152370ustar00rootroot00000000000000#!/usr/bin/python import re import ast from setuptools import setup, find_packages _version_re = re.compile(r'__version__\s+=\s+(.*)') with open('daemonize.py', 'rb') as f: version = str(ast.literal_eval(_version_re.search( f.read().decode('utf-8')).group(1))) setup( name="daemonize", version=version, py_modules=["daemonize"], author="Ilya Otyutskiy", author_email="ilya.otyutskiy@icloud.com", maintainer="Ilya Otyutskiy", url="https://github.com/thesharp/daemonize", description="Library to enable your code run as a daemon process on Unix-like systems.", license="MIT", classifiers=["Development Status :: 5 - Production/Stable", "Environment :: Console", "Intended Audience :: Developers", "License :: OSI Approved :: MIT License", "Operating System :: MacOS :: MacOS X", "Operating System :: POSIX :: Linux", "Operating System :: POSIX :: BSD :: FreeBSD", "Operating System :: POSIX :: BSD :: OpenBSD", "Operating System :: POSIX :: BSD :: NetBSD", "Programming Language :: Python", "Programming Language :: Python :: 2.6", "Programming Language :: Python :: 2.7", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.3", "Programming Language :: Python :: 3.4", "Programming Language :: Python :: 3.5", "Topic :: Software Development"] ) daemonize-2.4.7/tests/000077500000000000000000000000001274642767100146615ustar00rootroot00000000000000daemonize-2.4.7/tests/daemon_chdir.py000066400000000000000000000004551274642767100176530ustar00rootroot00000000000000#!/usr/bin/env python from sys import argv from daemonize import Daemonize pid = argv[1] working_dir = argv[2] file_name = argv[3] def main(): with open(file_name, "w") as f: f.write("test") daemon = Daemonize(app="test_app", pid=pid, action=main, chdir=working_dir) daemon.start() daemonize-2.4.7/tests/daemon_keep_fds.py000066400000000000000000000007031274642767100203360ustar00rootroot00000000000000#!/usr/bin/env python import logging from sys import argv from daemonize import Daemonize pid = argv[1] logger = logging.getLogger(__name__) logger.setLevel(logging.DEBUG) logger.propagate = False fh = logging.FileHandler(argv[2], "w") fh.setLevel(logging.DEBUG) logger.addHandler(fh) keep_fds = [fh.stream.fileno()] def main(): logger.debug("Test") daemon = Daemonize(app="test_app", pid=pid, action=main, keep_fds=keep_fds) daemon.start() daemonize-2.4.7/tests/daemon_privileged_action.py000066400000000000000000000011071274642767100222440ustar00rootroot00000000000000import logging from sys import argv from daemonize import Daemonize pid = argv[1] log = argv[2] logger = logging.getLogger(__name__) logger.setLevel(logging.DEBUG) logger.propagate = False fh = logging.FileHandler(log, "w") fh.setLevel(logging.DEBUG) logger.addHandler(fh) keep_fds = [fh.stream.fileno()] def privileged_action(): logger.info("Privileged action.") def action(): logger.info("Action.") daemon = Daemonize(app="issue-22", pid=pid, action=action, privileged_action=privileged_action, logger=logger, keep_fds=keep_fds) daemon.start() daemonize-2.4.7/tests/daemon_sigterm.py000066400000000000000000000003531274642767100202310ustar00rootroot00000000000000#!/usr/bin/env python from sys import argv from time import sleep from daemonize import Daemonize pid = argv[1] def main(): while True: sleep(5) daemon = Daemonize(app="test_app", pid=pid, action=main) daemon.start() daemonize-2.4.7/tests/daemon_uid_gid.py000066400000000000000000000007771274642767100201750ustar00rootroot00000000000000#!/usr/bin/env python from os import getuid, geteuid, getgid, getegid, path from sys import argv from time import sleep from daemonize import Daemonize pid = argv[1] log = argv[2] def main(): uids = getuid(), geteuid() gids = getgid(), getegid() with open(log, "w") as f: f.write(" ".join(map(str, uids + gids))) group = "nogroup" if path.exists("/etc/debian_version") else "nobody" daemon = Daemonize(app="test_app", pid=pid, action=main, user="nobody", group=group) daemon.start() daemonize-2.4.7/tests/daemon_uid_gid_action.py000066400000000000000000000010621274642767100215160ustar00rootroot00000000000000#!/usr/bin/env python from os import getuid, geteuid, getgid, getegid, path from sys import argv from time import sleep from daemonize import Daemonize pid = argv[1] log = argv[2] def priv(): return open(log, "w"), def main(f): uids = getuid(), geteuid() gids = getgid(), getegid() f.write(" ".join(map(str, uids + gids))) group = "nogroup" if path.exists("/etc/debian_version") else "nobody" daemon = Daemonize(app="test_app", pid=pid, action=main, user="nobody", group=group, privileged_action=priv) daemon.start() daemonize-2.4.7/tests/test.py000066400000000000000000000104541274642767100162160ustar00rootroot00000000000000import unittest import os import pwd import grp import subprocess from tempfile import mkstemp from time import sleep from os.path import split NOBODY_UID = pwd.getpwnam("nobody").pw_uid if os.path.exists("/etc/debian_version"): NOBODY_GID = grp.getgrnam("nogroup").gr_gid else: NOBODY_GID = grp.getgrnam("nobody").gr_gid class DaemonizeTest(unittest.TestCase): def setUp(self): self.pidfile = mkstemp()[1] os.system("python tests/daemon_sigterm.py %s" % self.pidfile) sleep(.1) def tearDown(self): os.system("kill `cat %s`" % self.pidfile) sleep(.1) def test_is_working(self): sleep(10) proc = subprocess.Popen("ps ax | awk '{print $1}' | grep `cat %s`" % self.pidfile, shell=True, stdout=subprocess.PIPE) ps_pid = proc.communicate()[0].decode() with open(self.pidfile, "r") as pidfile: pid = pidfile.read() self.assertEqual("%s\n" % pid, ps_pid) def test_pidfile_presense(self): sleep(10) self.assertTrue(os.path.isfile(self.pidfile)) class LockingTest(unittest.TestCase): def setUp(self): self.pidfile = mkstemp()[1] print("First daemonize process started") os.system("python tests/daemon_sigterm.py %s" % self.pidfile) sleep(.1) def tearDown(self): os.system("kill `cat %s`" % self.pidfile) sleep(.1) def test_locking(self): sleep(10) print("Attempting to start second daemonize process") proc = subprocess.call(["python", "tests/daemon_sigterm.py", self.pidfile]) self.assertEqual(proc, 1) class KeepFDsTest(unittest.TestCase): def setUp(self): self.pidfile = mkstemp()[1] self.logfile = mkstemp()[1] os.system("python tests/daemon_keep_fds.py %s %s" % (self.pidfile, self.logfile)) sleep(1) def tearDown(self): os.system("kill `cat %s`" % self.pidfile) os.remove(self.logfile) sleep(.1) def test_keep_fds(self): log = open(self.logfile, "r").read() self.assertEqual(log, "Test\n") class UidGidTest(unittest.TestCase): def setUp(self): self.expected = " ".join(map(str, [NOBODY_UID] * 2 + [NOBODY_GID] * 2)) self.pidfile = mkstemp()[1] self.logfile = mkstemp()[1] def tearDown(self): os.remove(self.logfile) def test_uid_gid(self): # Skip test if user is not root if os.getuid() != 0: return True os.chown(self.logfile, NOBODY_UID, NOBODY_GID) os.system("python tests/daemon_uid_gid.py %s %s" % (self.pidfile, self.logfile)) sleep(1) with open(self.logfile, "r") as f: self.assertEqual(f.read(), self.expected) self.assertFalse(os.access(self.pidfile, os.F_OK)) def test_uid_gid_action(self): # Skip test if user is not root if os.getuid() != 0: return True os.chown(self.pidfile, NOBODY_UID, NOBODY_GID) os.system("python tests/daemon_uid_gid_action.py %s %s" % (self.pidfile, self.logfile)) sleep(1) with open(self.logfile, "r") as f: self.assertEqual(f.read(), self.expected) class PrivilegedActionTest(unittest.TestCase): def setUp(self): self.correct_log = """Privileged action. Starting daemon. Action. Stopping daemon. """ self.pidfile = mkstemp()[1] self.logfile = mkstemp()[1] os.system("python tests/daemon_privileged_action.py %s %s" % (self.pidfile, self.logfile)) sleep(.1) def tearDown(self): os.system("kill `cat %s`" % self.pidfile) sleep(.1) def test_privileged_action(self): sleep(5) with open(self.logfile, "r") as contents: self.assertEqual(contents.read(), self.correct_log) class ChdirTest(unittest.TestCase): def setUp(self): self.pidfile = mkstemp()[1] self.target = mkstemp()[1] base, file = split(self.target) os.system("python tests/daemon_chdir.py %s %s %s" % (self.pidfile, base, file)) sleep(1) def tearDown(self): os.system("kill `cat %s`" % self.pidfile) sleep(.1) def test_keep_fds(self): log = open(self.target, "r").read() self.assertEqual(log, "test") if __name__ == '__main__': unittest.main()