pthread_exit和pthread_cancel
时间: 2023-11-21 10:56:54 浏览: 127
线程的退出-C++多线编程
pthread_exit和pthread_cancel都是用于终止线程的函数。
pthread_exit函数是用于终止当前线程的函数,它可以将一个指针作为参数传递给主线程。当线程调用pthread_exit时,它会立即终止,并将指定的指针作为退出状态返回给主线程。
pthread_cancel函数是用于终止指定线程的函数。当一个线程调用pthread_cancel时,目标线程会收到一个取消请求。目标线程可以选择立即终止,也可以在适当的时候终止。如果目标线程没有响应取消请求,可以使用pthread_kill函数向目标线程发送一个信号来强制终止它。
以下是两个函数的示例代码:
1. pthread_exit函数示例
```c
#include <stdio.h>
#include <stdlib.h>
#include <pthread.h>
void *thread_func(void *arg) {
printf("Thread is running...\n");
pthread_exit((void *) 123);
}
int main() {
pthread_t tid;
void *ret;
pthread_create(&tid, NULL, thread_func, NULL);
pthread_join(tid, &ret);
printf("Thread exit with code %d\n", (int) ret);
return 0;
}
```
2. pthread_cancel函数示例
```c
#include <stdio.h>
#include <stdlib.h>
#include <pthread.h>
void *thread_func(void *arg) {
while (1) {
printf("Thread is running...\n");
sleep(1);
}
}
int main() {
pthread_t tid;
pthread_create(&tid, NULL, thread_func, NULL);
sleep(5);
pthread_cancel(tid);
pthread_join(tid, NULL);
printf("Thread is canceled\n");
return 0;
}
```
阅读全文