[leetcode 641] 设计循环双端队列

题目链接:https://leetcode.cn/problems/design-circular-deque/description/

队列经典题目,考察各种空满条件。很多细节需要注意:

  • vector 设置大小使用 resize
  • front 和 back 指针不是对称的,front 指向队首元素的前一格,back 指向队尾元素,这非常重要,因为这样才能保证 front == back 时为空
  • 下面的解法没有使用额外一个空间,从而导致 front == back 时可能是空,也可能是满,所以使用了两个标志位 isfull 和 isempty,略显麻烦。官方解答中使用了 k+1 个空间,满的条件是 (front+1)%size == back,其中 size == k+1
  • -1%12=-11,注意 % 求余时,结果的正负取决于 % 左边操作数的正负,因此 back = back == 0 ? size -1 : back - 1 或者 back = (back - 1 + size) % size
class MyCircularDeque {
public:
    vector<int> array;
    int front;
    int back;
    int size;
    bool isfull;
    bool isempty;
    MyCircularDeque(int k) {
        array.resize(k);
        size = k;
        isfull = false;
        isempty = true;
        front = 0;
        back = 0;
    }
    
    bool insertFront(int value) {
        if (isFull()) {
            return false;
        }
        array[front] = value;
        front = (front + 1) % size;
        if (front == back) {
            isfull = true;
        }
        isempty = false;
        return true;
    }
    
    bool insertLast(int value) {
        if (isFull()) {
            return false;
        }
        back = back == 0 ? size - 1 : back - 1;
        array[back] = value;
        if (front == back) {
            isfull = true;
        }
        isempty = false;
        return true;
    }
    
    bool deleteFront() {
        if (isEmpty()) {
            return false;
        }
        front = front == 0 ? size - 1 : front - 1;
        if (front == back) {
            isempty = true;
        }
        isfull = false;
        return true;
    }
    
    bool deleteLast() {
        if (isEmpty()) {
            return false;
        }
        back = (back + 1) % size;
        if (front == back) {
            isempty = true;
        }
        isfull = false;
        return true;
    }
    
    int getFront() {
        if (isEmpty()) {
            return -1;
        }
        return array[front == 0 ? size -1 : front-1];
    }
    
    int getRear() {
        if (isEmpty()) {
            return -1;
        }
        return array[back];
    }
    
    bool isEmpty() {
        return isempty;
    }
    
    bool isFull() {
        return isfull;
    }
};
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值