I am approaching to pthreads in C and I'm starting writing very dumb programs to get the hang of them. I tried to create a program containing two threads, they should print their name and their status should be collected as they terminate their execution. So my code is:
//Function declaration
void *state_your_name(char*);
//Function definition
//Passing a string as parameter for
//outputting the name of the thread
void *state_your_name(char *name) {
//Declaration of the variable containing the return status
void* status;
//Printing out the string
printf("%s\n", name);
//Exiting the thread and saving the return value
pthread_exit(status);
}
int main(void) {
pthread_t tid_1, tid_2;
void * status;
//Creating thread 1...
if (pthread_create(&tid_1, NULL, state_your_name, "Thread 1")) {
printf("Error creating thread 1");
exit(1);
}
//Creating thread 2...
if (pthread_create(&tid_2, NULL, state_your_name, "Thread 2")) {
printf("Error creating thread 2");
exit(1);
}
//Waiting for thread 1 to terminate and
//collecting the return value...
if (pthread_join(tid_1, (void *) &status)) {
printf("Error joining thread 1");
exit(1);
}
printf("Thread 1 - Return value: %d\n", (int)status );
//Waiting for thread 2 to terminate and
//collecting the return value...
if (pthread_join(tid_2, (void *) &status)) {
printf("Error joining thread 2");
exit(1);
}
printf("Thread 2 - Return value: %d\n", (int)status );
return 0;
}
I would expect an output like this:
Thread 1
Thread 2
Thread 1 - Return value: 0
Thread 2 - Return value: 0
but my issue is the return value of Thread 1
is 733029576
, but Thread 2
returns 0
as predicted; it's like the status variable is uninitialized and containing garbage. What am I missing?