我正在从一本书中学习排队。我在学习循环队列时遇到了问题。我正在学习的作者使用以下代码来解释如何将元素插入循环队列中。
#define MAX 100
char *p[MAX];
int spos = 0; // spos: holds the index of the **next free** storage location
int rpos = 0;// rpos: holds the index of the next item to retrieve
void qstore(char *q)
{
/* The queue is full if either spos is one less than rpos
or if spos is at the end of the queue array and rpos
is at the beginning.
*/
if(spos+1= =rpos || (spos+1==MAX && !rpos)) <-- /***Problem is here**. Is it even
correct?*/
{
printf(''List Full\n");
return;
}
p[spos] = q;
spos++;
if(spos==MAX)
spos = 0; /* loop back */
}
他进一步指出:当商店索引小于检索索引时,队列已满;否则,队列中有另一个事件的空间。
SO,acc。对于作者,如果 spos (其中包含下一个免费存储位置的索引)等于4且 rpos = 5,那么队列已满。这不正确吗?因为 spos = 3意味着p [3]处的内存位置为空。
所以我决定改变程序。
#define MAX 100
char *p[MAX];
int spos = 0; // spos: holds the index of the **last allocated** storage location
int rpos = 0;// rpos: holds the index of the next item to retrieve
void qstore(char *q)
{
/* The condition for queue full is same as the previous program*/
/* The queue is full if either spos is one less than rpos
or if spos is at the end of the queue array and rpos
is at the beginning.
*/
if((spos+1==rpos) || (spos+1==MAX && rpos==0)) // Also changed syntax of test condition.
{
printf("Queue Full\n");
}
spos++
if((spos+1==MAX) && (rpos!=0))
{
spos=0;
}
else
{
spos++;
}
p[spos]=q;
}
我的代码是否正确?
答案 0 :(得分:6)
作者的实施并没有错,而且是有意的,但除非你考虑/看到出队过程,否则你不会看到它。问题是如何判断队列是否为空?
spos == rpos
时队列为空。如果您在spos+1 == rpos
时没有说队列已满,但是spos == rpos
您已经无法区分完整队列和空队列。
您是正确的但是注意到您将免费留下一个队列条目。你的队列只能容纳99个项而不是100个。“缺失”是你需要在不使用除rpos,spos和queue之外的任何其他变量来区分完整和空循环队列的代价。