欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

队列-1

程序员文章站 2022-03-08 18:01:09
...

队列

分类
链式队列–链表
静态队列–数组
静态队列通常是循环队列
循环队列的讲解:

  • 静态队列为什么是循环队列?
  • 循环队列需要几个参数?
  • 循环队各个参数的含义
  • 循环队列入队的伪算法
  • 循环队出队的伪算法
  • 如何判断循环队列为空
  • 如何判断循环队列已满

    队列-1

取余操作很骚

出队
f+1%数组长度

如何判断已满

  • 多增加一个表标识参数
  • 少用一个参数
    队列-1
typedef struct Queue
{
    int *pBase;
    int front;
    int rear;
}QUEUE;

void init(QUEUE *);
bool en_queue(QUEUE *, int val);
bool full_queue(QUEUE*);
void traverse_queue(Queue* pQ);
bool out_queue(Queue*pQ,int* pVal);
bool empty(QUEUE*pQ);
int main()
{

    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);
    traverse_queue(&Q);
    if (out_queue(&Q, &val))
    {
        printf("出队成功,队列出队的是%d\n", val);

    }
    else
    {
        printf("出队失败");
    };

    traverse_queue(&Q);
    return 0;
}

void init(QUEUE *pQ)
{
    pQ->pBase = (int*)malloc(sizeof(int) * 6);
    pQ->front = 0;
    pQ->rear = 0;
}

bool full_queue(QUEUE* pQ)
{
    if ((pQ->rear + 1) % 6 == pQ->front)
        return true;
    else
        return false;
}
bool empty(QUEUE*pQ)
{
    if (pQ->front == pQ->rear)
    {
        return true;
    }
    else
    {
        return false;
    }
}

bool en_queue(QUEUE * pQ, int val)
{
    if (full_queue(pQ))
    {
        return false;
    }
    else
    {
        pQ->pBase[pQ->rear] = val;
    pQ->rear = (pQ->rear + 1) % 6;
        return true;
    }
}

void traverse_queue(Queue* pQ)
{
    int i = pQ->front;
    while (i !=pQ->rear)
    {
        printf("%d",pQ->pBase[i]);
        i = (i + 1) % 6;
    }
    return;
}

bool out_queue(Queue* pQ,int* pVal)
{
    if (empty(pQ))
    {
        return true;
    }
    else
    {
        *pVal = pQ->pBase[pQ->front];
        pQ->front = (pQ->front + 1) % 6;
        return true;
    }
}
相关标签: 队列