我创建了以下程序:
void *thread(void *vargp) {
int *ptr = (int*)vargp;
printf("vargp = %p, *vargp = %d\n",vargp, *(int*)vargp);
pthread_exit((void*)*ptr);
}
void *thread2(void *vargp) {
int *ptr = (int*)vargp;
*ptr = 0;
pthread_exit((void*)31);
}
int main(){
int i = 42;
pthread_t tid, tid2;
pthread_create(&tid, NULL, thread, (void*)&i);
printf("i = %d, &i = %p\n", i, &i);
pthread_create(&tid2, NULL, thread2, (void*)&i);
pthread_join(tid, (void**)&i);
pthread_join(tid2, NULL);
printf("at the end i = %d\n",i);
}
我希望主函数中的最后一个printf打印“最后i = 42”。但是,它将打印以下内容:
i = 42, &i = 0x7ffcf3b65c4c
vargp = 0x7ffcf3b65c4c, *vargp = 0
0
由于vargp与变量i的地址相同,为什么* vargp没有输出值42,而是值0?
最佳答案
由于vargp与变量i的地址相同,为什么* vargp没有输出值42,而是值0?
您的程序表现出数据争用(一种未定义行为的形式):其结果取决于先运行thread
还是thread2
,并且不能保证顺序。在多处理器计算机上(当今最常见),两个线程可以在同一时间运行。
如果要保证thread
将在thread2
之前运行,则需要等待它(通过pthread_join
),然后再创建thread2
。