我正在尝试在 C 中实现一个队列,该队列会导致进程不忙等待,直到队列中有一个元素可以使用。我尝试了两种不同的方法来实现这一目标。
我遇到的第一个问题是,如果入队/出队操作有if条件来检查边界(if (q->count == QUEUESIZE) ),对 sem_wait 的调用将立即返回,因为没有其他进程获得锁。
如果我将条件更改为while(q->count == QUEUESIZE),我相信消费者进程会'忙等待'直到生产者进程发布信号量,这不是我的实现目标,并且通过测试,我发现消费者进程不会获取锁并继续。
我认为我很接近,但我似乎无法弄清楚如何解决这些问题。我曾考虑添加条件变量或 pthread_mutex,但想在增加额外复杂性之前用尽信号量选项。
#define QUEUESIZE 48
typedef struct
{
char q[QUEUESIZE+1][150];
int first;
int last;
int count;
sem_t *lock;
} Queue;
init_queue(Queue *q, sem_t *l)
{
q->first = 0;
q->last = QUEUESIZE-1;
q->count = 0;
q->lock = l;
}
enqueue(Queue *q, char x[150])
{
while(q->count == QUEUESIZE)
sem_wait(q->lock);
if (q->count == 0)
{
if (sem_post(q->lock) == -1)
{
printf("Thread failed to unlock semaphore\n");
}
}
q->last = (q->last+1) % QUEUESIZE;
strcpy(q->q[ q->last ],x);
q->count = q->count + 1;
}
dequeue(Queue *q,char *ptr)
{
char x[150];
while(q->count == 0)
sem_wait(q->lock);
if (q->count == QUEUESIZE)
{
if (sem_post(q->lock) == -1)
{
printf("Thread failed to unlock semaphore\n");
}
}
strcpy(ptr,q->q[ q->first]);
q->first = (q->first+1) % QUEUESIZE;
q->count = q->count - 1;
}