数据结构之栈(四)

Queue.c

1.头文件的声明

#include “Queue.h”

2.初始化和销毁函数的定义

void QueueInit(Que* pq)
{
    assert(pq);

    pq->head = pq->tail = NULL;
    pq->size = 0;
}

void QueueDestroy(Que* pq)
{
    assert(pq);

    QNode* cur = pq->head;
    while (cur)
    {
        QNode* next = cur->next;
        free(cur);
        cur = next;
    }

    pq->head = pq->tail = NULL;
    pq->size = 0;
}

3.入队列和出队列函数的定义

void QueuePush(Que* pq, QDataType x)
{
    assert(pq);
    QNode* newnode = (QNode*)malloc(sizeof(QNode));
    if (newnode == NULL)
    {
        perror(“malloc fail”);
        exit(-1);
    }

    newnode->data = x;
    newnode->next = NULL;

    if (pq->tail == NULL)
    {
        pq->head = pq->tail = newnode;
    }
    else
    {
        pq->tail->next = newnode;
        pq->tail = newnode;
    }

    pq->size++;
}

void QueuePop(Que* pq)
{
    assert(pq);//判断队列指针指向是否为空
    assert(!QueueEmpty(pq));//判断队列里面的数据是否为空

    if (pq->head->next == NULL)
    {
        free(pq->head);
        pq->head = pq->tail = NULL;
    }
    else
    {
        QNode* next = pq->head->next;
        free(pq->head);
        pq->head = next;
    }

    pq->size–;
}

4.查找队头、查找队尾函数的定义

//查找队头元素
QDataType QueueFront(Que* pq)
{
    assert(pq);
    assert(!QueueEmpty(pq));

    return pq->head->data;
}

//查找队尾元素
QDataType QueueBack(Que* pq)
{
    assert(pq);
    assert(!QueueEmpty(pq));

    return pq->tail->data;
}

5.判空以及长度计算函数的定义

//判断是否为空
bool QueueEmpty(Que* pq)
{
    assert(pq);

    return pq->head == NULL;
}

//长度计算
int QueueSize(Que* pq)
{
    assert(pq);

    return pq->size;
}

(3)Test.c

1.头文件的声明

#include “Queue.h”

2.测试函数的定义

void QueueTest() {
    Que pq;
    QueueInit(&pq);
    QueuePush(&pq, 1);
    QueuePush(&pq, 2);
    QueuePush(&pq, 3);
    QueuePush(&pq, 4);
    QueuePush(&pq, 5);
    while (!QueueEmpty(&pq)) {
        printf(“%d “, QueueFront(&pq));
        QueuePop(&pq);
    }
    QueueDestroy(&pq);
}

 

 

0

评论0

请先
显示验证码
没有账号?注册  忘记密码?