我正在研究一些来自 llnl.computing.gov pthreads 教程的简单 pthread 示例。网站上的程序打印出threadid的地址,但是我想把id的地址传给PrintHello,然后用dereference这个地址来获取id。我认为在睡眠中每个线程都应该打印 8(线程数)。代码是
#include <pthread.h>
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#define NUM_THREADS  8
void *PrintHello(void *threadid)
{
   long *taskid = (long *)threadid;
   sleep(1);
   printf("Hello from thread %ld\n", *taskid);
   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("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);
}
当我在 Cygwin 中编译并运行它时,它会出现堆栈损坏错误。如果我将 PrintHello 重写为:
void *PrintHello(void *threadid)
{
  long taskid = (long) threadid;
  sleep(1);
  printf("Hello from thread %ld\n", taskid);
  pthread_exit(NULL);
 }
它没有段错误,它只是打印地址,我想取消引用地址并从 main 获取 t 的值。
有人对如何实现该目标有一些指示吗?我知道我可以传递t给pthread_create而不是,&t但我想这样做是为了学习目的。