|
发表于 2019-10-20 20:37:58
From FishC Mobile
|
显示全部楼层
/*
//静态队列
struct Queue
{
int *pBase;
int front;//头
int rear;//尾
};
void init(struct Queue *pQ)
{
pQ->pBase=(int *)malloc(sizeof(int)*6);
pQ->front=0;
pQ->rear=pQ->front;
}
int is_full(struct Queue *pQ)
{
//一个队列有6个格子只存5个数,最后一个格子不存
if((pQ->rear+1)%6==pQ->front)
{
return 1;
}
else
{
return 0;
}
}
int is_empty(struct Queue *pQ)
{
if(pQ->front==pQ->rear)
{
return 1;
}
else
{
return 0;
}
}
int en_Queue(struct Queue *pQ,int val)
{
if(is_full(pQ))
{
printf("队列已满\n");
}
else
{
pQ->pBase[pQ->rear]=val;
pQ->rear=(pQ->rear+1)%6;
}
return 1;
}
int out_Queue(struct Queue *pQ,int *pval)
{
if(is_empty(pQ))
{
printf("队列为空\n");
}
else
{
//先保存元素
*pval=pQ->pBase[pQ->front];
//front+1
pQ->front=(pQ->front+1)%6;
}
}
void travel_Queue(struct Queue *pQ)
{
int i=pQ->front;
while(i!=pQ->rear)
{
printf("%d ",pQ->pBase[i]);
i=(i+1)%6;
//不能将i写成pQ->front这样会改变队列
}
printf("\n");
}
int main(void)
{
struct Queue Q;
int val;
init(&Q);
en_Queue(&Q,1);
en_Queue(&Q,2);
en_Queue(&Q,3);
en_Queue(&Q,4);
en_Queue(&Q,5);
en_Queue(&Q,6);
if(out_Queue(&Q,&val))
{
printf("出列元素为%d\n",val);
}
else
{
printf("出队失败\n");
}
travel_Queue(&Q);
return 0;
}
*/
|
|