#include <stdio.h> #include <pthread.h> #include <semaphore.h> #include <stdlib.h> #include <string.h> #define BUFFER_SIZE 200 char* buffer;//缓冲区 sem_t empty_sem;//空缓冲区信号量 sem_t full_sem;//满缓冲区信号量 pthread_mutex_t mutex;//互斥信号量 void *producer(void *arg) { // 等待空缓冲区 sem_wait(&empty_sem); pthread_mutex_lock(&mutex); // 将产品放入缓冲区 printf("input sonething to buffer:"); fgets(buffer,BUFFER_SIZE,stdin); pthread_mutex_unlock(&mutex); sem_post(&full_sem); pthread_exit(NULL); } void *consumer(void *arg) { // 等待满缓冲区 sem_wait(&full_sem); pthread_mutex_lock(&mutex); // 从缓冲区取出产品 printf("read product from buffer:%s", buffer); memset(buffer,0,BUFFER_SIZE); pthread_mutex_unlock(&mutex); sem_post(&empty_sem); pthread_exit(NULL); } int main(){ pthread_t tid1,tid2; buffer=(char*)malloc(BUFFER_SIZE); //初始化信号量和互斥信号量 sem_init(&empty_sem,0,BUFFER_SIZE);//初始化empty_sem的值为BUFFER_SIZE sem_init(&full_sem,0,0); pthread_mutex_init(&mutex,NULL); //创建生产者和消费者线程 pthread_create(&tid1,NULL,producer,NULL); pthread_create(&tid2,NULL,consumer,NULL); //等待线程结束 pthread_join(tid1,NULL); pthread_join(tid2,NULL); //销毁信号量和互斥信号量 sem_destroy(&empty_sem); sem_destroy(&full_sem); pthread_mutex_destroy(&mutex); printf("The End!\n"); return 0; }
时间: 2024-04-06 19:30:56 浏览: 108
csapp_深入理解计算机系统_相关文件_csapp.h_csapp.c
5星 · 资源好评率100%
这是一个生产者-消费者问题的代码实现,其中使用互斥量和信号量来实现线程同步和互斥。生产者线程等待空缓冲区信号量,然后获取互斥信号量,将产品放入缓冲区,释放互斥信号量,然后发出满缓冲区信号量。消费者线程等待满缓冲区信号量,然后获取互斥信号量,从缓冲区取出产品,释放互斥信号量,然后发出空缓冲区信号量。主函数中创建生产者和消费者线程,并等待它们结束。在程序结束时,销毁互斥量和信号量。
阅读全文