Creating a daemon in Linux Creating a daemon in Linux linux linux

Creating a daemon in Linux


In Linux i want to add a daemon that cannot be stopped and which monitors filesystem changes. If any changes would be detected it should write the path to the console where it was started + a newline.

Daemons work in the background and (usually...) don't belong to a TTY that's why you can't use stdout/stderr in the way you probably want.Usually a syslog daemon (syslogd) is used for logging messages to files (debug, error,...).

Besides that, there are a few required steps to daemonize a process.


If I remember correctly these steps are:

  • fork off the parent process & let it terminate if forking was successful. -> Because the parent process has terminated, the child process now runs in the background.
  • setsid - Create a new session. The calling process becomes the leader of the new session and the process group leader of the new process group. The process is now detached from its controlling terminal (CTTY).
  • Catch signals - Ignore and/or handle signals.
  • fork again & let the parent process terminate to ensure that you get rid of the session leading process. (Only session leaders may get a TTY again.)
  • chdir - Change the working directory of the daemon.
  • umask - Change the file mode mask according to the needs of the daemon.
  • close - Close all open file descriptors that may be inherited from the parent process.

To give you a starting point: Look at this skeleton code that shows the basic steps. This code can now also be forked on GitHub: Basic skeleton of a linux daemon

/* * daemonize.c * This example daemonizes a process, writes a few log messages, * sleeps 20 seconds and terminates afterwards. */#include <stdio.h>#include <stdlib.h>#include <unistd.h>#include <signal.h>#include <sys/types.h>#include <sys/stat.h>#include <syslog.h>static void skeleton_daemon(){    pid_t pid;    /* Fork off the parent process */    pid = fork();    /* An error occurred */    if (pid < 0)        exit(EXIT_FAILURE);    /* Success: Let the parent terminate */    if (pid > 0)        exit(EXIT_SUCCESS);    /* On success: The child process becomes session leader */    if (setsid() < 0)        exit(EXIT_FAILURE);    /* Catch, ignore and handle signals */    //TODO: Implement a working signal handler */    signal(SIGCHLD, SIG_IGN);    signal(SIGHUP, SIG_IGN);    /* Fork off for the second time*/    pid = fork();    /* An error occurred */    if (pid < 0)        exit(EXIT_FAILURE);    /* Success: Let the parent terminate */    if (pid > 0)        exit(EXIT_SUCCESS);    /* Set new file permissions */    umask(0);    /* Change the working directory to the root directory */    /* or another appropriated directory */    chdir("/");    /* Close all open file descriptors */    int x;    for (x = sysconf(_SC_OPEN_MAX); x>=0; x--)    {        close (x);    }    /* Open the log file */    openlog ("firstdaemon", LOG_PID, LOG_DAEMON);}
int main(){    skeleton_daemon();    while (1)    {        //TODO: Insert daemon code here.        syslog (LOG_NOTICE, "First daemon started.");        sleep (20);        break;    }    syslog (LOG_NOTICE, "First daemon terminated.");    closelog();    return EXIT_SUCCESS;}


  • Compile the code: gcc -o firstdaemon daemonize.c
  • Start the daemon: ./firstdaemon
  • Check if everything is working properly: ps -xj | grep firstdaemon

  • The output should be similar to this one:

+------+------+------+------+-----+-------+------+------+------+-----+| PPID | PID  | PGID | SID  | TTY | TPGID | STAT | UID  | TIME | CMD |+------+------+------+------+-----+-------+------+------+------+-----+|    1 | 3387 | 3386 | 3386 | ?   |    -1 | S    | 1000 | 0:00 | ./  |+------+------+------+------+-----+-------+------+------+------+-----+

What you should see here is:

  • The daemon has no controlling terminal (TTY = ?)
  • The parent process ID (PPID) is 1 (The init process)
  • The PID != SID which means that our process is NOT the session leader
    (because of the second fork())
  • Because PID != SID our process can't take control of a TTY again

Reading the syslog:

  • Locate your syslog file. Mine is here: /var/log/syslog
  • Do a: grep firstdaemon /var/log/syslog

  • The output should be similar to this one:

  firstdaemon[3387]: First daemon started.  firstdaemon[3387]: First daemon terminated.


A note:In reality you would also want to implement a signal handler and set up the logging properly (Files, log levels...).

Further reading:


man 7 daemon describes how to create daemon in great detail. My answer is just excerpt from this manual.

There are at least two types of daemons:

  1. traditional SysV daemons (old-style),
  2. systemd daemons (new-style).

SysV Daemons

If you are interested in traditional SysV daemon, you should implement the following steps:

  1. Close all open file descriptors except standard input, output, and error (i.e. the first three file descriptors 0, 1, 2). This ensures that no accidentally passed file descriptor stays around in the daemon process. On Linux, this is best implemented by iterating through /proc/self/fd, with a fallback of iterating from file descriptor 3 to the value returned by getrlimit() for RLIMIT_NOFILE.
  2. Reset all signal handlers to their default. This is best done by iterating through the available signals up to the limit of _NSIG and resetting them to SIG_DFL.
  3. Reset the signal mask using sigprocmask().
  4. Sanitize the environment block, removing or resetting environment variables that might negatively impact daemon runtime.
  5. Call fork(), to create a background process.
  6. In the child, call setsid() to detach from any terminal and create an independent session.
  7. In the child, call fork() again, to ensure that the daemon can never re-acquire a terminal again.
  8. Call exit() in the first child, so that only the second child (the actual daemon process) stays around. This ensures that the daemon process is re-parented to init/PID 1, as all daemons should be.
  9. In the daemon process, connect /dev/null to standard input, output, and error.
  10. In the daemon process, reset the umask to 0, so that the file modes passed to open(), mkdir() and suchlike directly control the access mode of the created files and directories.
  11. In the daemon process, change the current directory to the root directory (/), in order to avoid that the daemon involuntarily blocks mount points from being unmounted.
  12. In the daemon process, write the daemon PID (as returned by getpid()) to a PID file, for example /run/foobar.pid (for a hypothetical daemon "foobar") to ensure that the daemon cannot be started more than once. This must be implemented in race-free fashion so that the PID file is only updated when it is verified at the same time that the PID previously stored in the PID file no longer exists or belongs to a foreign process.
  13. In the daemon process, drop privileges, if possible and applicable.
  14. From the daemon process, notify the original process started that initialization is complete. This can be implemented via an unnamed pipe or similar communication channel that is created before the first fork() and hence available in both the original and the daemon process.
  15. Call exit() in the original process. The process that invoked the daemon must be able to rely on that this exit() happens after initialization is complete and all external communication channels are established and accessible.

Note this warning:

The BSD daemon() function should not be used, as it implements only a subset of these steps.

A daemon that needs to provide compatibility with SysV systems should implement the scheme pointed out above. However, it is recommended to make this behavior optional and configurable via a command line argument to ease debugging as well as to simplify integration into systems using systemd.

Note that daemon() is not POSIX compliant.


New-Style Daemons

For new-style daemons the following steps are recommended:

  1. If SIGTERM is received, shut down the daemon and exit cleanly.
  2. If SIGHUP is received, reload the configuration files, if this applies.
  3. Provide a correct exit code from the main daemon process, as this is used by the init system to detect service errors and problems. It is recommended to follow the exit code scheme as defined in the LSB recommendations for SysV init scripts.
  4. If possible and applicable, expose the daemon's control interface via the D-Bus IPC system and grab a bus name as last step of initialization.
  5. For integration in systemd, provide a .service unit file that carries information about starting, stopping and otherwise maintaining the daemon. See systemd.service(5) for details.
  6. As much as possible, rely on the init system's functionality to limit the access of the daemon to files, services and other resources, i.e. in the case of systemd, rely on systemd's resource limit control instead of implementing your own, rely on systemd's privilege dropping code instead of implementing it in the daemon, and similar. See systemd.exec(5) for the available controls.
  7. If D-Bus is used, make your daemon bus-activatable by supplying a D-Bus service activation configuration file. This has multiple advantages: your daemon may be started lazily on-demand; it may be started in parallel to other daemons requiring it — which maximizes parallelization and boot-up speed; your daemon can be restarted on failure without losing any bus requests, as the bus queues requests for activatable services. See below for details.
  8. If your daemon provides services to other local processes or remote clients via a socket, it should be made socket-activatable following the scheme pointed out below. Like D-Bus activation, this enables on-demand starting of services as well as it allows improved parallelization of service start-up. Also, for state-less protocols (such as syslog, DNS), a daemon implementing socket-based activation can be restarted without losing a single request. See below for details.
  9. If applicable, a daemon should notify the init system about startup completion or status updates via the sd_notify(3) interface.
  10. Instead of using the syslog() call to log directly to the system syslog service, a new-style daemon may choose to simply log to standard error via fprintf(), which is then forwarded to syslog by the init system. If log levels are necessary, these can be encoded by prefixing individual log lines with strings like "<4>" (for log level 4 "WARNING" in the syslog priority scheme), following a similar style as the Linux kernel's printk() level system. For details, see sd-daemon(3) and systemd.exec(5).

To learn more read whole man 7 daemon.


You cannot create a process in linux that cannot be killed. The root user (uid=0) can send a signal to a process, and there are two signals which cannot be caught, SIGKILL=9, SIGSTOP=19. And other signals (when uncaught) can also result in process termination.

You may want a more general daemonize function, where you can specify a name for your program/daemon, and a path to run your program (perhaps "/" or "/tmp"). You may also want to provide file(s) for stderr and stdout (and possibly a control path using stdin).

Here are the necessary includes:

#include <stdio.h>    //printf(3)#include <stdlib.h>   //exit(3)#include <unistd.h>   //fork(3), chdir(3), sysconf(3)#include <signal.h>   //signal(3)#include <sys/stat.h> //umask(3)#include <syslog.h>   //syslog(3), openlog(3), closelog(3)

And here is a more general function,

intdaemonize(char* name, char* path, char* outfile, char* errfile, char* infile ){    if(!path) { path="/"; }    if(!name) { name="medaemon"; }    if(!infile) { infile="/dev/null"; }    if(!outfile) { outfile="/dev/null"; }    if(!errfile) { errfile="/dev/null"; }    //printf("%s %s %s %s\n",name,path,outfile,infile);    pid_t child;    //fork, detach from process group leader    if( (child=fork())<0 ) { //failed fork        fprintf(stderr,"error: failed fork\n");        exit(EXIT_FAILURE);    }    if (child>0) { //parent        exit(EXIT_SUCCESS);    }    if( setsid()<0 ) { //failed to become session leader        fprintf(stderr,"error: failed setsid\n");        exit(EXIT_FAILURE);    }    //catch/ignore signals    signal(SIGCHLD,SIG_IGN);    signal(SIGHUP,SIG_IGN);    //fork second time    if ( (child=fork())<0) { //failed fork        fprintf(stderr,"error: failed fork\n");        exit(EXIT_FAILURE);    }    if( child>0 ) { //parent        exit(EXIT_SUCCESS);    }    //new file permissions    umask(0);    //change to path directory    chdir(path);    //Close all open file descriptors    int fd;    for( fd=sysconf(_SC_OPEN_MAX); fd>0; --fd )    {        close(fd);    }    //reopen stdin, stdout, stderr    stdin=fopen(infile,"r");   //fd=0    stdout=fopen(outfile,"w+");  //fd=1    stderr=fopen(errfile,"w+");  //fd=2    //open syslog    openlog(name,LOG_PID,LOG_DAEMON);    return(0);}

Here is a sample program, which becomes a daemon, hangs around, and then leaves.

intmain(){    int res;    int ttl=120;    int delay=5;    if( (res=daemonize("mydaemon","/tmp",NULL,NULL,NULL)) != 0 ) {        fprintf(stderr,"error: daemonize failed\n");        exit(EXIT_FAILURE);    }    while( ttl>0 ) {        //daemon code here        syslog(LOG_NOTICE,"daemon ttl %d",ttl);        sleep(delay);        ttl-=delay;    }    syslog(LOG_NOTICE,"daemon ttl expired");    closelog();    return(EXIT_SUCCESS);}

Note that SIG_IGN indicates to catch and ignore the signal. You could build a signal handler that can log signal receipt, and set flags (such as a flag to indicate graceful shutdown).