运行 一个 Linux 守护进程 vs 后台无限循环
Running a Linux Daemon vs An infinite loop in the background
我有这段代码可以在 C:
中创建守护进程
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <string.h>
void main() {
FILE *fp= NULL;
pid_t process_id = 0;
pid_t sid = 0;
// Create child process
process_id = fork();
// Indication of fork() failure
if (process_id < 0)
{
printf("fork failed!\n");
// Return failure in exit status
exit(1);
}
// PARENT PROCESS. Need to kill it.
if (process_id > 0)
{
printf("process_id of child process %d \n", process_id);
// return success in exit status
exit(0);
}
//unmask the file mode
umask(0);
//set new session
sid = setsid();
if(sid < 0)
{
// Return failure
exit(1);
}
// Change the current working directory to root.
chdir("/");
// Close stdin. stdout and stderr
close(STDIN_FILENO);
close(STDOUT_FILENO);
close(STDERR_FILENO);
while (1)
{
// Do your thing
usleep(2000);
}
}
我可以将其编译并 运行 为 ./exampleOne
,这将 运行 作为守护进程永远在后台运行。
现在反过来,如果我有下面的例子会怎样:
#include <stdio.h>
#include <stdlib.h
void main() {
while (1)
{
// do your thing
usleep(2000);
}
}
然后 运行 变成 ./exampleTwo &
。这现在也会 运行 在后台作为无限循环。
那有什么区别呢?第二个就简单多了。
fork/daemon 方法的一个简单优点是程序员决定分叉发生的位置,这允许程序员提供保证,当一个 returns 到 shell没有错误,守护进程已启动并且 运行.
运行 在后台 returns 立即到 shell 所以你的守护进程可能仍处于初始化阶段并且连接到它可能会失败一段时间。
我有这段代码可以在 C:
中创建守护进程#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <string.h>
void main() {
FILE *fp= NULL;
pid_t process_id = 0;
pid_t sid = 0;
// Create child process
process_id = fork();
// Indication of fork() failure
if (process_id < 0)
{
printf("fork failed!\n");
// Return failure in exit status
exit(1);
}
// PARENT PROCESS. Need to kill it.
if (process_id > 0)
{
printf("process_id of child process %d \n", process_id);
// return success in exit status
exit(0);
}
//unmask the file mode
umask(0);
//set new session
sid = setsid();
if(sid < 0)
{
// Return failure
exit(1);
}
// Change the current working directory to root.
chdir("/");
// Close stdin. stdout and stderr
close(STDIN_FILENO);
close(STDOUT_FILENO);
close(STDERR_FILENO);
while (1)
{
// Do your thing
usleep(2000);
}
}
我可以将其编译并 运行 为 ./exampleOne
,这将 运行 作为守护进程永远在后台运行。
现在反过来,如果我有下面的例子会怎样:
#include <stdio.h>
#include <stdlib.h
void main() {
while (1)
{
// do your thing
usleep(2000);
}
}
然后 运行 变成 ./exampleTwo &
。这现在也会 运行 在后台作为无限循环。
那有什么区别呢?第二个就简单多了。
fork/daemon 方法的一个简单优点是程序员决定分叉发生的位置,这允许程序员提供保证,当一个 returns 到 shell没有错误,守护进程已启动并且 运行.
运行 在后台 returns 立即到 shell 所以你的守护进程可能仍处于初始化阶段并且连接到它可能会失败一段时间。