C/C++網絡編程8——多進程服務器端之銷燬殭屍進程

  上一節提到,當子進程執行結束,父進程還在執行,在父進程結束以前子進程會成爲殭屍進程,那麼怎麼銷燬殭屍進程呢?父進程主動接收子進程的返回值。ios

銷燬殭屍進程的方法:函數

  1:使用wait函數spa

  2:使用waitpid函數操作系統

  3:利用信號code

 

1:使用wait函數銷燬殭屍進程blog

#include <sys/wait.h>

pid_t wait(int *status);
// 成功返回終止的子進程id,失敗返回-1

  在父進程中調用wait函數之後,若是有子進程已經執行結束,那麼子進程傳回的返回值將存儲到status所指的內存中,可是若是沒有子進程執行結束,父進程將會阻塞在wait函數,直到有子進程執行結束,這是一種很差的實現方法。進程

// wait函數銷燬殭屍進程
#include <iostream> #include <unistd.h> #include <sys/wait.h> using namespace std; int main() { pid_t pid = fork(); if (pid < 0) { cout << "fork() failed" << endl; return 0; } if (pid == 0) { return 5; } else { int status = 0; wait(&status); if (WIFEXITED(status)) { // 子進程正常結束 cout << "child return: " << WEXITSTATUS(status) << endl; } sleep(300); } return 0; }

 

2:使用waitpid函數銷燬殭屍進程事件

  wait函數會使程序阻塞,可換用waitpid函數殺死殭屍進程,同時能避免程序阻塞。內存

#include <sys/wait.h>

pid_t waitpid(pid_t pid, int *status, int options);
// 成功返回終止的子進程id,失敗返回-1
// pid : 等待終止的子進程id,傳-1代碼任意子進程終止
// status:和wait函數的參數同樣
// options:傳遞WNOHANG,沒有終止的子進程也不進入阻塞狀態,返回0
#include <iostream>
#include <unistd.h>
#include <sys/wait.h>

using namespace std;

int main()
{
    pid_t pid = fork();
    if (pid < 0) {
        cout << "fork() failed" << endl;
        return 0;
    }

    if (pid == 0) {
        sleep(30);
        return 5;
    } else {
        int status = 0;
        while (!waitpid(pid, &status, WNOHANG)) {
            sleep(3);
            cout << "child proc is not finish" << endl;
        }

        if (WIFEXITED(status)) {    // 子進程正常結束
            cout << "child return: " << WEXITSTATUS(status) << endl;
        }
    }

    return 0;
}

 

3:利用信號銷燬殭屍進程it

  利用wait函數能銷燬殭屍進程,可是會阻塞父進程;利用waitpid也能銷燬殭屍進程而且不阻塞父進程,可是也須要不停的去檢查子進程結束沒有。因此wait及waitpid方式都不完美。因而引入了信號,信號是在特定事件發生時由操做系統向進程發送的消息,接收到消息的進程作信號處理。信號的使用方法是先註冊信號,告訴操做系統,當某個信號發生時,要作什麼事情。

  signal(SIGCHLD, do_what);  SIGCHLD是子進程結束的信號,當子進程結束時,執行do_what函數。

  其餘經常使用信號,SIGALRM:已到經過調用alarm函數註冊的時間;SIGINT:輸入CTRL+C

#include <iostream>
#include <cstdlib>
#include <unistd.h>
#include <signal.h>
#include <sys/wait.h>

using namespace std;

void read_child_proc(int sig)
{
    int status;
    pid_t pid = waitpid(-1, &status, WNOHANG);

    if (WIFEXITED(status)) {    // 子進程正常結束
        cout << "child proc finish: " << pid <<" " << WEXITSTATUS(status) << endl;
    }
}

int main()
{
    pid_t pid = fork();
    if (pid < 0) {
        cout << "fork() failed" << endl;
        return 0;
    }

    signal(SIGCHLD, read_child_proc);   // 註冊子進程結束信號,當子進程結束時調用read_child_proc函數

    if (pid == 0) {
        return 5;
    } else {
        sleep(30);
        cout << "master proc wake up" << endl;
    }

    return 0;
}

  執行程序發現 master proc wake up並非等30秒之後才輸出,而輸出很快,說明當註冊子進程結束信號之後,當有子進程執行結束時,會立刻喚醒sleep的進程。

相關文章
相關標籤/搜索