面试题59-2:队列的最大值
文章目录
题目
请定义一个队列并实现函数 max_value 得到队列里的最大值,要求函数max_value、push_back 和 pop_front 的均摊时间复杂度都是O(1)。
若队列为空,pop_front 和 max_value 需要返回 -1。
考点
使用两个deque实现
LeetCode版本
class MaxQueue {
public:
MaxQueue() {
}
int max_value() {
if(m_maxQue.empty())return -1;
return m_maxQue.front();
}
void push_back(int value) {
m_dataQue.push_back(value);
while(!m_maxQue.empty() && value > m_maxQue.back()) m_maxQue.pop_back();
m_maxQue.push_back(value);
}
int pop_front() {
if(m_dataQue.empty())return -1;
if(m_dataQue.front() == m_maxQue.front()) m_maxQue.pop_front();
int res = m_dataQue.front();
m_dataQue.pop_front();
return res;
}
private:
deque<int> m_dataQue;
deque<int> m_maxQue;
};