我在学习,我有几个问题。
这是我的代码:
#include <pthread.h>
#include <stdio.h>
#include <stdlib.h>
#include <iostream>
#define NUM_THREADS 10
using namespace std;
void *PrintHello(void *threadid)
{
int* tid;
tid = (int*)threadid;
for(int i = 0; i < 5; i++){
printf("Hello, World (thread %d)\n", *tid);
}
pthread_exit(NULL);
}
int main (int argc, char *argv[])
{
pthread_t threads[NUM_THREADS];
int rc;
int t;
int* valPt[NUM_THREADS];
for(t=0; t < NUM_THREADS; t++){
printf("In main: creating thread %d\n", t);
valPt[t] = new int();
*valPt[t] = t;
rc = pthread_create(&threads[t], NULL, PrintHello, (void *)valPt[t]);
if (rc){
printf("ERROR; return code from pthread_create() is %d\n", rc);
exit(-1);
}
}
/* Last thing that main() should do */
pthread_exit(NULL);
}
代码运行良好,我不会调用
pthread
。所以我想知道,pthread_join
是必须的吗?另一个问题是:
valPt[t] = new int();
*valPt[t] = t;
rc = pthread_create(&threads[t], NULL, PrintHello, (void *)valPt[t]);
等于:
rc = pthread_create(&threads[t], NULL, PrintHello, &i);
最佳答案
不是的。但你需要pthread_exit()
或pthread_join()
。
在这里,您调用了pthread_exit()
,这就是为什么子线程即使在主线程终止后仍继续执行。
如果主线程需要等待子线程完成执行,则可以使用pthread_join()
。
关于c - 在Linux中使用pthread时,pthread_join是必须的吗?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/38090256/