取消一個線程
可以請求一個線程終止,像給它發送一個信號一樣.
1 請求端:
#include <pthread.h>
int pthread_cancel(pthread_t thread);
請求取消指定線程.
2 接收請求端:
#include <pthread.h>
int pthread_setcancelstate(int state, int *oldstate);
state: 線程是否接收取消請求.
| PTHREAD_CANCEL_ENABLE 允許線程接收取消請求
| PTHREAD_CANCEL_DISABLE 忽略取消請求
oldstate: 獲取先前的取消狀態,不關心先前狀態傳NULL.
#include <pthread.h>
int pthread_setcanceltype(int type, int *oldtype);
type: 如果接收到取消請求,什么時候采取行動.
| PTHREAD_CANCEL_ASYNCHRONOUS 接收到取消請求后立即采取行動.
| PTHREAD_CANCEL_DEFERRED 接收到取消請求后,等待請求端線程執行以下函數之一,再采取行動.
| (pthread_join,pthread_cond_wait, pthread_cond_timedwait, pthread_testcancel, sem_wait, sigwait)
oldtype: 獲取先前的取消狀態,不關心先前狀態傳NULL.
取消一個線程:
/*
* 取消一個線程
*/
#include <stdio.h>
#include <unistd.h>
#include <stdlib.h>
#include <pthread.h>
void *thread_function(void *arg);
int main(){
int res;
pthread_t a_thread;
void *thread_result;
res = pthread_create(&a_thread, NULL, thread_function, NULL);
if(res != 0){
perror("Thread creation failed");
exit(EXIT_FAILURE);
}
sleep(3);
printf("Canceling thread
\n");
res = pthread_cancel(a_thread);
if(res != 0){
perror("Thread cancelation failed");
exit(EXIT_FAILURE);
}
printf("Waiting for thread to finished
\n");
res = pthread_join(a_thread, &thread_result);
if(res != 0){
perror("Thread join failed");
exit(EXIT_FAILURE);
}
exit(EXIT_SUCCESS);
}
void *thread_function(void *arg){
int i,res;
res = pthread_setcancelstate(PTHREAD_CANCEL_ENABLE, NULL);
if(res != 0){
perror("Thread pthread_setcancelstate failed");
exit(EXIT_FAILURE);
}
res = pthread_setcanceltype(PTHREAD_CANCEL_DEFERRED, NULL);
if(res != 0){
perror("Thread pthread_setcanceltype failed");
exit(EXIT_FAILURE);
}
printf("thread_function is running\n");
for(i = 0; i < 10; i++){
printf("Thread is still running (%d)
\n", i);
sleep(1);
}
pthread_exit(0);
} 運行結果:
$ gcc -D_REENTRANT thread7.c -o thread7 -lpthread
$ ./thread7
thread_function is running
Thread is still running (0)
Thread is still running (1)
Thread is still running (2)
Canceling thread
Waiting for thread to finished
--
FROM:Linux程序設計