我刚刚开始学习pthreads API,我正在学习教程here
但是,在pthread_create
的示例程序中,示例程序会创建一个长变量,传递其值,并将其类型化为void*
。在线程入口函数中,它解除它就像一个long。
t
的地址,每个线程将作用于同一个变量而不是它的副本。我们可以这样做,因为它是void*
,编译器不知道我们发送的是什么类型吗?
#include <pthread.h>
#include <stdio.h>
#define NUM_THREADS 5
void *PrintHello(void *threadid)
{
long tid;
tid = (long)threadid;
printf("Hello World! It's me, thread #%ld!\n", tid);
pthread_exit(NULL);
}
int main (int argc, char *argv[])
{
pthread_t threads[NUM_THREADS];
int rc;
long t;
for(t=0; t<NUM_THREADS; t++){
printf("In main: creating thread %ld\n", t);
rc = pthread_create(&threads[t], NULL, PrintHello, (void *)t);
if (rc){
printf("ERROR; return code from pthread_create() is %d\n", rc);
exit(-1);
}
}
pthread_exit(NULL);
}
答案 0 :(得分:4)
它与任何类型的类型转换一样合法。关键是在参数指向的值之前无法完成任何操作,直到它被强制转换为tid = (long)threadid
。
检查较旧的问答When to use a void pointer?。
答案 1 :(得分:4)
只要sizeof(long) <= sizeof(void*)
有效,long
的每个值都可以表示为void*
。
最好是传递变量的地址。您可以从T*
投射到void*
,然后安全地返回,无需假设。