C++ pthread_join
时间: 2024-01-07 19:02:42 浏览: 127
`pthread_join`函数用于等待指定的线程终止,并获取线程的返回值。它的函数原型如下:
```c++
int pthread_join(pthread_t thread, void **retval);
```
其中,`thread`参数是要等待的线程的标识符,`retval`参数是一个指向指针的指针,用于存储线程的返回值。
下面是一个使用`pthread_join`函数的示例:
```c++
#include <iostream>
#include <pthread.h>
void* threadFunc(void* arg) {
int* value = new int(42);
return value;
}
int main() {
pthread_t thread;
pthread_create(&thread, NULL, threadFunc, NULL);
void* returnValue;
pthread_join(thread, &returnValue);
int* value = static_cast<int*>(returnValue);
std::cout << "Thread returned: " << *value << std::endl;
delete value;
return 0;
}
```
在上面的示例中,我们创建了一个线程`thread`,并在`threadFunc`函数中返回了一个动态分配的整数值。然后,我们使用`pthread_join`函数等待线程终止,并获取线程的返回值。最后,我们将返回值转换为整数类型并输出。
阅读全文