linux编程创建两个线程,实现两个线程轮流数数的功能
时间: 2023-12-10 22:37:07 浏览: 77
下面是一个简单的实现,其中使用了互斥锁和条件变量来协调两个线程的工作:
```c
#include <stdio.h>
#include <stdlib.h>
#include <pthread.h>
#define COUNT_MAX 10
pthread_mutex_t mutex = PTHREAD_MUTEX_INITIALIZER;
pthread_cond_t cond = PTHREAD_COND_INITIALIZER;
int count = 0;
void *thread1(void *arg)
{
while (count < COUNT_MAX)
{
pthread_mutex_lock(&mutex);
while (count % 2 == 1)
{
pthread_cond_wait(&cond, &mutex);
}
printf("Thread 1: %d\n", count);
count++;
pthread_cond_signal(&cond);
pthread_mutex_unlock(&mutex);
}
pthread_exit(NULL);
}
void *thread2(void *arg)
{
while (count < COUNT_MAX)
{
pthread_mutex_lock(&mutex);
while (count % 2 == 0)
{
pthread_cond_wait(&cond, &mutex);
}
printf("Thread 2: %d\n", count);
count++;
pthread_cond_signal(&cond);
pthread_mutex_unlock(&mutex);
}
pthread_exit(NULL);
}
int main()
{
pthread_t t1, t2;
pthread_create(&t1, NULL, thread1, NULL);
pthread_create(&t2, NULL, thread2, NULL);
pthread_join(t1, NULL);
pthread_join(t2, NULL);
return 0;
}
```
在上述代码中,我们创建了两个线程 `thread1` 和 `thread2`,它们共享一个全局变量 `count`,并且通过互斥锁 `mutex` 来保证对 `count` 的访问不会出现竞争条件。同时,我们使用条件变量 `cond` 来协调两个线程的工作,使得它们可以轮流数数。
在 `thread1` 中,线程首先会获取互斥锁,然后进入一个循环,只有当 `count` 为偶数时才会执行数数的操作。如果 `count` 不为偶数,线程会调用 `pthread_cond_wait` 等待条件变量 `cond`,在等待期间会释放互斥锁。当另一个线程执行数数操作后,它会通过 `pthread_cond_signal` 唤醒 `thread1`,使其重新检查 `count` 的值。如果 `count` 为偶数,`thread1` 就会执行数数操作,并将 `count` 的值加一。最后,线程会释放互斥锁,同时再次发送条件变量信号,通知另一个线程可以执行数数操作了。
`thread2` 的实现与 `thread1` 类似,只不过它在等待 `count` 为奇数时才会执行数数操作。通过这种方式,两个线程就可以轮流数数了。
阅读全文