我有一个程序,我创建了两个线程。在一个线程中,我为整数a和b分配了一个值。在第二个帖子中,我想访问a和b,以更改它们的值。
#include <stdio.h>
#include <pthread.h>
struct data {
int a;
int b;
};
struct data temp;
void *assign(void *temp)
{
struct data *new;
new = (struct data *) temp;
new->a = 2;
new->b = 2;
printf("You are now in thread1..\n The value of a and b is: %d, %d", new->a + 1, new->b + 1);
printf("\n");
pthread_exit(NULL);
}
void *add(void *temp1)
{
struct data *new1;
new1 = (struct data *) temp1;
printf("You are now in thread 2\nValue of a and b is: %d, %d\n", new1->a - 1, new1->b - 1);
pthread_exit(NULL);
}
int main()
{
pthread_t threads[2];
pthread_attr_t attr;
void *status;
int rc, t;
pthread_attr_init(&attr);
pthread_attr_setdetachstate(&attr, PTHREAD_CREATE_JOINABLE);
pthread_create(&threads[0], NULL, assign, (void *) &temp);
pthread_create(&threads[1], NULL, add, (void *) &temp);
pthread_attr_destroy(&attr);
for (t = 0; t < 2; t++) {
rc = pthread_join(threads[t], &status);
if (rc) {
printf("ERROR; return code from pthread_join() is %d\n", rc);
exit(-1);
}
printf("Main: completed join with thread %ld having a status of %ld\n", t, (long) status);
}
pthread_exit(NULL);
return 0;
}
但是上面的程序同时执行两个线程。有时我会
thread1..
The value of a and b is: 3, 3
thread 2
Value of a and b is: 1, 1
有时我会
thread 2
Value of a and b is: -1, -1
You are now in thread1..
The value of a and b is: 3, 3
我想让thread-2(add)等待thread-1(assign)完成并退出。我该如何实现呢?
答案 0 :(得分:10)
如果一个线程必须等待另一个线程完成,我会看到三个选项:
pthread_join()
。答案 1 :(得分:0)
我建议你使用信号量。
定义值为1的全局信号量。
在创建两个线程之前,执行P操作,信号量的值将为0.
在分配了a和b的值后,在线程1中,执行V操作。信号量的值为1。
在执行打印之前的线程2中,添加操作V.如果线程1尚未完成分配,则线程2将进入休眠状态,直到线程1完成。
这是我对这个问题的看法。
答案 2 :(得分:0)
如果您使用多个线程,我的意思是您必须在每个其他线程上 pthread_join 两个以上的线程,这不是有效的解决方案。在我的选择中,您应该在进入和退出线程函数后使用 pthrea_mutex_lock(&lock) 和 pthread_mutex_unlock(&lock) 。例如:
pthread_mutex_t lock = PTHREAD_MUTEX_INITIALIZER;
void *assign(void *temp)
{
pthread_mutex_lock(&lock)
struct data *new;
new = (struct data *) temp;
new->a = 2;
new->b = 2;
printf("You are now in thread1..\n The value of a and b is: %d, %d", new->a + 1, new->b + 1);
printf("\n");
pthread_mutex_unlock(&lock)
pthread_exit(NULL);
}
void *add(void *temp1)
{
pthread_mutex_lock(&lock)
struct data *new1;
new1 = (struct data *) temp1;
printf("You are now in thread 2\nValue of a and b is: %d, %d\n", new1->a - 1, new1->b - 1);
pthread_mutex_unlock(&lock)
pthread_exit(NULL);
}