世上有些事,一旦错过就追悔莫及。比如,当进程退出时,如果有些事没做完该怎么办呢?
进程退出事件
顾名思义,Linux提供了一个在进程退出时执行某种操作的方法。详细请看手册on_exit(3)和atexit(3)。这里两个函数都可以注册进程退出事件处理函数,区别就是前者的函数有2个参数,后者没有,看它们的定义就知道了。
int on_exit(void (*function)(int , void *), void *arg);
int atexit(void (*function)(void));
on_exit(3)的注册函数的第一个参数是退出状态,也就是调用exit()
时,括号里那个值,被注册函数的第二个参数是on_exit(3)被调用时传入的第二个参数。
代码演示
#include <signal.h>
#include <stdio.h>
#include <errno.h>
#include <string.h>
#include <stdlib.h>
static void exit_with_args(int e, void *arg){
printf("[%d] exit with %d %p @%s\n", getpid(), e, arg, __FUNCTION__);
}
static void exit_just(void){
printf("[%d] exit @%s\n", getpid(), __FUNCTION__);
}
int main(int argc, char **argv)
{
//注册3个进程退出函数
if (on_exit(exit_with_args, (void *)0xa)){//注意最后这个参数,后面可以识别是哪次注册
printf("error@%d %s\n", __LINE__, strerror(errno));
exit(-1);
}
if (atexit(exit_just)){
printf("error@%d %s\n", __LINE__, strerror(errno));
exit(-1);
}
if (on_exit(exit_with_args, (void *)0xb)){//注意最后这个参数,后面可以识别是哪次注册
printf("error@%d %s\n", __LINE__, strerror(errno));
exit(-1);
}
pid_t pid = fork();
if (pid > 0){
printf("[%d] create child [%d]\n", getpid(), pid);
printf("[%d] send signal %d to [%d]\n", getpid(), SIGINT, pid);
kill(pid, SIGINT);
waitpid(pid,NULL,0);
printf("[%d] already exit.\n\n", pid);
}
else if (pid == 0){//第一个子进程,岁月静好,安静地做个美男子
while(1);
}
pid = fork();//再生一个
if (pid > 0){
printf("[%d] create child [%d]\n", getpid(), pid);
waitpid(pid,NULL,0);
printf("[%d] already exit.\n\n", pid);
}
else if (pid == 0){//第二个子进程,忐忑不安,睡一秒走人
sleep(1);
exit(getpid());
}
printf("[%d] will exit.\n", getpid());
return 0;
}
输出
[172637] create child [172638]
[172637] send signal 2 to [172638]
[172638] already exit.
[172637] create child [172639]
[172639] exit with 172639 0xb @exit_with_args
[172639] exit @exit_just
[172639] exit with 172639 0xa @exit_with_args
[172639] already exit.
[172637] will exit.
[172637] exit with 0 0xb @exit_with_args
[172637] exit @exit_just
[172637] exit with 0 0xa @exit_with_args
过程描述
- 父进程172637(简称阿7)创建了子进程172638(简称阿8),并向阿8发送了一个信号,阿8应声倒地,一声不响地退出了进程
- 阿8死后,阿7又创建了子进程172639(简称阿9),阿9睡了1秒后,顺势倒地,在临死前,它触发了3次退出事件
- 最后阿7也累了,埋葬了两个子进程之后,自己也顺势倒地,也在临死前,触发了3次退出事件
要点总结
- 父进程fork出的子进程会继承父进程注册的退出事件函数
证据:阿9的遗言继承自阿7,并且发出了遗言, - 被信号杀死的进程不会触发进程退出事件
证据:同样继承了阿7遗言的阿8,死时一声不响 - 两个注册函数之间没有优先级,一个进程的所有退出事件的触发顺序与注册顺序相反
证据:因为注册的顺序是exit_with_args(..., 0xa)
=>exit_just
=>exit_with_args(..., 0xb)
,死者的遗言顺序是exit with ... 0xb @exit_with_args
=>exit @exit_just=>exit with ... 0xa @exit_with_args
,与注册顺序相反
man里面说,atexit(3)可以注册
ATEXIT_MAX
(32)个函数,on_exit(3)呢?