目录
1.使用了数组来表达循环
2.循环队列是否为空
3.循环队列是否已满。
4.初始化
5.向循环队列插入一个元素。如果成功插入则返回真
6.从队首获取元素。如果队列为空,返回 -1
7.获取队尾元素。如果队列为空,返回 -1
8.销毁空间
1.使用了数组来表达循环
typedef struct {
int k;//数据个数
int *a;//数组
int rear;//尾
int front;//头
} MyCircularQueue;
2.循环队列是否为空
bool myCircularQueueIsEmpty(MyCircularQueue* obj) {
return obj->rear == obj->front;
}
3.循环队列是否已满。
bool myCircularQueueIsFull(MyCircularQueue* obj) {
return (obj->rear+1)%(obj->k+1) == obj->front;
}
4.初始化
MyCircularQueue* myCircularQueueCreate(int k) {
MyCircularQueue*obj = (MyCircularQueue*)malloc(sizeof(MyCircularQueue));
obj->a = (int*)malloc(sizeof(int)*(k+1));
obj->k = k;
obj->rear = obj->front = 0;
return obj;
}
5.向循环队列插入一个元素。如果成功插入则返回真
bool myCircularQueueEnQueue(MyCircularQueue* obj, int value) {
if(myCircularQueueIsFull(obj))
return false;
obj->a[obj->rear] = value;
obj->rear++;
obj->rear %= (obj->k+1);
return true;
}
6.从队首获取元素。如果队列为空,返回 -1
文章来源:https://www.toymoban.com/news/detail-729398.html
int myCircularQueueFront(MyCircularQueue* obj) {
if(myCircularQueueIsEmpty(obj))
return -1;
return obj->a[obj->front];
}
7.获取队尾元素。如果队列为空,返回 -1
文章来源地址https://www.toymoban.com/news/detail-729398.html
int myCircularQueueRear(MyCircularQueue* obj) {
if(myCircularQueueIsEmpty(obj))
return -1;
return obj->a[(obj->rear+obj->k)%(obj->k+1)];
}
8.销毁空间
void myCircularQueueFree(MyCircularQueue* obj) {
free(obj->a);
free(obj);
}
到了这里,关于力扣设计循环队列的文章就介绍完了。如果您还想了解更多内容,请在右上角搜索TOY模板网以前的文章或继续浏览下面的相关文章,希望大家以后多多支持TOY模板网!