《UNIX环境高级编程》(exit)

声明

这里写图片描述
status用来标识进程退出的状态,你可以通过调用wait来获取这个返回值

特性

  1. 不管进程是正常终止还是异常终止,终止时,都会关闭所有打开的描述符,释放它所使用的存储器;
  2. 子进程可以通过终止函数(exit、_exit、_Exit),设置参数status的值,来告知父进程它是如何终止的;
  3. 如果父进程在子进程之前终止,那么这些子进程的父进程会变为init进程,我们称这些进程继承自init进程;
  4. 如果子进程在父进程之前终止,那父进程通过调用wait或者waitpid,来获得子进程的终止状态;
  5. 一个已经终止的进程,但其父亲没有为其善后的处理(获取终止子进程的有关信息,释放其资源),被称为僵死进程;
  6. 由init进程继承的进程终止时,该进程不会变成僵死进程,因为init被编写成,无论何时一个进程终止,init都会调用wait函数等待其终止状态;

例子

下面这个例子,就是在父进程里调用wait来获取子进程退出的返回值的

void pr_exit(int status)
    {
        if(WIFEXITED(status))
            printf("normal termination, exit status=%d\n", WEXITSTATUS(status));
        else if(WIFSIGNALED(status))
            printf("abnormal termination, signal number=%d\n", WTERMSIG(status));
        else if(WIFSTOPPED(status))
            printf("child stopped, signal number=%d\n", WSTOPSIG(status));
    }

    /* You can use wait API to get the exit function, such as child process. If you set the argument value of the exit API to 3, the parent process use wait to get the status 3. */
    void demo1(void)
    {
        pid_t pid;
        int status = -1;

        if( (pid = fork()) < 0 )
        {
            printf("fork error\n");
        }
        else if(0 == pid)
        {
            printf("child process\n");
            exit(3);
        }
        else
        {
            printf("parent process\n");
            wait(&status);
            pr_exit(status);
        }
    }

你可能感兴趣的:(unix,exit)