C++ pthread_create
时间: 2024-04-11 07:24:43 浏览: 174
pthread_create是C++中用于创建线程的函数。它是POSIX线程库的一部分,用于在多线程环境下创建新的线程。
pthread_create函数的原型如下:
```c++
int pthread_create(pthread_t *thread, const pthread_attr_t *attr, void *(*start_routine) (void *), void *arg);
```
参数说明:
- thread:指向pthread_t类型的指针,用于存储新创建线程的标识符。
- attr:指向pthread_attr_t类型的指针,用于设置线程的属性。可以传入NULL,表示使用默认属性。
- start_routine:指向函数指针,该函数是新线程要执行的函数。函数的返回类型必须为void*,参数类型为void*。
- arg:传递给start_routine函数的参数。
调用pthread_create函数后,会创建一个新的线程,并开始执行start_routine函数。start_routine函数可以是全局函数、静态成员函数或Lambda表达式等。
以下是一个简单的示例代码:
```c++
#include <iostream>
#include <pthread.h>
void* threadFunc(void* arg) {
int* num = static_cast<int*>(arg);
std::cout << "Thread number: " << *num << std::endl;
pthread_exit(NULL);
}
int main() {
pthread_t thread;
int num = 10;
int ret = pthread_create(&thread, NULL, threadFunc, &num);
if (ret != 0) {
std::cerr << "Failed to create thread" << std::endl;
return 1;
}
pthread_join(thread, NULL);
return 0;
}
```
阅读全文