原题链接https://leetcode.cn/problems/design-circular-deque/
题目
设计实现双端队列。
实现 MyCircularDeque 类:
MyCircularDeque(int k) :构造函数,双端队列最大为 k 。
boolean insertFront():将一个元素添加到双端队列头部。 如果操作成功返回 true ,否则返回 false 。
boolean insertLast() :将一个元素添加到双端队列尾部。如果操作成功返回 true ,否则返回 false 。
boolean deleteFront() :从双端队列头部删除一个元素。 如果操作成功返回 true ,否则返回 false 。
boolean deleteLast() :从双端队列尾部删除一个元素。如果操作成功返回 true ,否则返回 false 。
int getFront() ):从双端队列头部获得一个元素。如果双端队列为空,返回 -1 。
int getRear() :获得双端队列的最后一个元素。 如果双端队列为空,返回 -1 。
boolean isEmpty() :若双端队列为空,则返回 true ,否则返回 false 。
boolean isFull() :若双端队列满了,则返回 true ,否则返回 false 。
来源:力扣(LeetCode)
代码
public class MyCircularDeque {
public class LinkListNode{
public int val;
public LinkListNode pre,next;
public LinkListNode(int value){
this.val=value;
}
}
private int size;//当前队列的大小
private int capacity;//整个双端队列的容量
private LinkListNode head,tail;
public MyCircularDeque(int k) {
capacity=k;
size=0;
}
public bool InsertFront(int value) {
if(size==capacity){
return false;//判断是否越界
}
LinkListNode node=new LinkListNode(value);
if(size==0){
head=tail=node;
}else{
//将链表头部插入一个,并将其改为头
node.next=head;
head.pre=node;
head=node;
}
size++;
return true;
}
public bool InsertLast(int value) {
if(size==capacity){
return false;//判断是否越界
}
LinkListNode node=new LinkListNode(value);
if(size==0){
head=tail=node;
}else{
//将链表尾部添加一个,并将其改为尾
tail.next=node;
node.pre=tail;
tail=node;
}
size++;
return true;
}
public bool DeleteFront() {
if(size==0){
return false;
}
head=head.next;
if(head!=null){
head.pre=null;
}
size--;
return true;
}
public bool DeleteLast() {
if(size==0){
return false;
}
tail=tail.pre;
if(tail!=null){
tail.next=null;
}
size--;
return true;
}
public int GetFront() {
if(size==0){
return -1;
}
return head.val;
}
public int GetRear() {
if(size==0){
return -1;
}
return tail.val;
}
public bool IsEmpty() {
return size==0;
}
public bool IsFull() {
return size==capacity;
}
}
/**
* Your MyCircularDeque object will be instantiated and called as such:
* MyCircularDeque obj = new MyCircularDeque(k);
* bool param_1 = obj.InsertFront(value);
* bool param_2 = obj.InsertLast(value);
* bool param_3 = obj.DeleteFront();
* bool param_4 = obj.DeleteLast();
* int param_5 = obj.GetFront();
* int param_6 = obj.GetRear();
* bool param_7 = obj.IsEmpty();
* bool param_8 = obj.IsFull();
*/
标签:return,队列,双端,641,int,bool,public,size From: https://www.cnblogs.com/pkmoon/p/16589989.html