pthread_create函数
时间: 2023-07-08 18:53:41 浏览: 38
LINUX线程函数大全.pdf
`pthread_create` 函数是 POSIX 线程库中用于创建线程的函数,其原型如下:
```c
#include <pthread.h>
int pthread_create(pthread_t *thread, const pthread_attr_t *attr, void *(*start_routine) (void *), void *arg);
```
该函数的参数解释如下:
- `thread`:一个指向 pthread_t 类型变量的指针,用于存储创建的线程 ID。
- `attr`:一个指向 pthread_attr_t 类型变量的指针,用于指定创建线程的属性,可以为 `NULL`。
- `start_routine`:一个函数指针,指向线程的起始函数。
- `arg`:传递给线程起始函数的参数。
`pthread_create` 函数成功时返回 0,失败时返回一个非 0 值,具体错误码可以使用 `errno` 变量查看。创建成功后,新线程将立即开始执行指定的 `start_routine` 函数。
举个例子,以下代码创建了一个新的线程,该线程通过调用 `print_message()` 函数打印一条消息。注意,该代码使用了 `pthread_join` 函数等待新线程完成。
```c
#include <stdio.h>
#include <pthread.h>
void *print_message(void *message) {
printf("%s\n", (char *)message);
pthread_exit(NULL);
}
int main() {
pthread_t thread;
char *message = "Hello, world!";
int ret = pthread_create(&thread, NULL, print_message, (void *)message);
if (ret) {
printf("Failed to create thread: %d\n", ret);
return -1;
}
pthread_join(thread, NULL);
return 0;
}
```
阅读全文