歡迎來到Linux教程網
Linux教程網
Linux教程網
Linux教程網
Linux教程網 >> Linux編程 >> Linux編程 >> Linux多線程編程時如何查看一個進程中的某個線程是否存活

Linux多線程編程時如何查看一個進程中的某個線程是否存活

日期:2017/3/1 9:53:14   编辑:Linux編程

pthread_kill:

別被名字嚇到,pthread_kill可不是kill,而是向線程發送signal。還記得signal嗎,大部分signal的默認動作是終止進程的運行,所以,我們才要用signal()去抓信號並加上處理函數。

int pthread_kill(pthread_t thread, int sig);

向指定ID的線程發送sig信號,如果線程代碼內不做處理,則按照信號默認的行為影響整個進程,也就是說,如果你給一個線程發送了SIGQUIT,但線程卻沒有實現signal處理函數,則整個進程退出。

pthread_kill(threadid, SIGKILL)也一樣,殺死整個進程。
如果要獲得正確的行為,就需要在線程內實現signal(SIGKILL,sig_handler)了。

所以,如果int sig的參數不是0,那一定要清楚到底要干什麼,而且一定要實現線程的信號處理函數,否則,就會影響整個進程。

OK,如果int sig是0呢,這是一個保留信號,一個作用是用來判斷線程是不是還活著。

我們來看一下pthread_kill的返回值:
成功:0
線程不存在:ESRCH
信號不合法:EINVAL

所以,pthread_kill(threadid,0)就很有用啦。

int kill_rc = pthread_kill(thread_id,0);

if(kill_rc == ESRCH)
printf("the specified thread did not exists or already quit/n");
else if(kill_rc == EINVAL)
printf("signal is invalid/n");
else
printf("the specified thread is alive/n");

上述的代碼就可以判斷線程是不是還活著了。

使用pthread_kill函數檢測一個線程是否還活著的程序,在linux環境下gcc編譯通過,現將代碼貼在下面:

/******************************* pthread_kill.c *******************************/
#include <stdio.h>
#include <stdlib.h>
#include <pthread.h>
#include <errno.h>

void *func1()/*1秒鐘之後退出*/
{
sleep(1);
printf("線程1(ID:0x%x)退出。/n",(unsigned int)pthread_self());
pthread_exit((void *)0);
}

void *func2()/*5秒鐘之後退出*/
{
sleep(5);
printf("線程2(ID:0x%x)退出。/n",(unsigned int)pthread_self());
pthread_exit((void *)0);
}

void test_pthread(pthread_t tid) /*pthread_kill的返回值:成功(0) 線程不存在(ESRCH) 信號不合法(EINVAL)*/
{
int pthread_kill_err;
pthread_kill_err = pthread_kill(tid,0);

if(pthread_kill_err == ESRCH)
printf("ID為0x%x的線程不存在或者已經退出。/n",(unsigned int)tid);
else if(pthread_kill_err == EINVAL)
printf("發送信號非法。/n");
else
printf("ID為0x%x的線程目前仍然存活。/n",(unsigned int)tid);
}

int main()
{
int ret;
pthread_t tid1,tid2;

pthread_create(&tid1,NULL,func1,NULL);
pthread_create(&tid2,NULL,func2,NULL);

sleep(3);/*創建兩個進程3秒鐘之後,分別測試一下它們是否還活著*/

test_pthread(tid1);/*測試ID為tid1的線程是否存在*/
test_pthread(tid2);/*測試ID為tid2的線程是否存在*/

exit(0);
}


編譯:gcc -o pthread_kill -lpthread pthread_kill.c
運行:./pthread_kill

///////////////////////// 運行結果 /////////////////////////////
線程1(ID:0xb7e95b90)退出。
ID為0xb7e95b90的線程不存在或者已經退出。
ID為0xb7694b90的線程目前仍然存活。

Copyright © Linux教程網 All Rights Reserved