在 pthread 的 hello world 示例中指出:
#include <pthread.h>
#include <stdio.h>
void * print_hello(void *arg)
{
printf("Hello world!\n");
return NULL;
}
int main(int argc, char **argv)
{
pthread_t thr;
if(pthread_create(&thr, NULL, &print_hello, NULL))
{
printf("Could not create thread\n");
return -1;
}
if(pthread_join(thr, NULL))
{
printf("Could not join thread\n");
return -1;
}
return 0;
}
Run Code Online (Sandbox Code Playgroud)
正如你所看到print_hello的pthread_create(),没有参数,但是在定义中,它看起来像void * print_hello(void *arg)
这意味着什么?
现在假设我有这个实现
void * print_hello(int a, void *);
int main(int argc, char **argv)
{
pthread_t thr;
int a = 10;
if(pthread_create(&thr, NULL, &print_hello(a), NULL))
{
printf("Could not create thread\n");
return -1;
}
....
return 0;
}
void * print_hello(int a, void *arg)
{
printf("Hello world and %d!\n", a);
return NULL;
}
Run Code Online (Sandbox Code Playgroud)
现在我得到这个错误:
too few arguments to function print_hello
Run Code Online (Sandbox Code Playgroud)
那么我该如何解决这个问题呢?
pthread将一个类型的参数传递void *给线程函数,因此您可以传递一个指向任何类型的数据的指针作为pthread_create函数的第四个参数,请查看下面修复代码的示例。
void * print_hello(void *);
int main(int argc, char **argv)
{
pthread_t thr;
int a = 10;
if(pthread_create(&thr, NULL, &print_hello, (void *)&a))
{
printf("Could not create thread\n");
return -1;
}
....
return 0;
}
void * print_hello(void *arg)
{
int a = (int)*arg;
printf("Hello world and %d!\n", a);
return NULL;
}
Run Code Online (Sandbox Code Playgroud)