单调栈
在栈的问题中,我发现单调栈在算法中应用广泛,所以这里先说说什么是单调栈以及他的构建算法。
什么是单调栈:就是栈从顶到底是单调的。
如何由数组构建单调栈:见下面的伪代码:
stack<int> st;
//此处一般需要给数组最后添加结束标志符
for (遍历这个数组)
{
if (栈空 || 栈顶元素大于等于当前比较元素)
{
入栈;
}
else
{
while (栈不为空 && 栈顶元素小于当前元素)
{
栈顶元素出栈;
更新结果;
}
当前数据入栈;
}
}
最小栈
设计一个支持 push ,pop ,top 操作,并能在常数时间内检索到最小元素的栈。
push(x) —— 将元素 x 推入栈中。
pop() —— 删除栈顶的元素。
top() —— 获取栈顶元素。
getMin() —— 检索栈中的最小元素。
输入:
["MinStack","push","push","push","getMin","pop","top","getMin"]
[[],[-2],[0],[-3],[],[],[],[]]
输出:
[null,null,null,null,-3,null,0,-2]
解释:
MinStack minStack = new MinStack();
minStack.push(-2);
minStack.push(0);
minStack.push(-3);
minStack.getMin(); --> 返回 -3.
minStack.pop();
minStack.top(); --> 返回 0.
minStack.getMin(); --> 返回 -2.
这道题中,首先我们要知道,栈是用数组实现的。然后,这道题要实现的特殊功能就是getMin(),也就是从栈中取出最小数,解决他的方法也很容易,就是在主栈之外,再创立一个单调栈作为辅助栈。并且这个辅助栈和主栈的元素数量是相同的,也就是同步的。
有了这样的思路,我们就可以开始着手做这道题了:
class MinStack:
def __init__(self):
"""
initialize your data structure here.
"""
self.data=[]
self.helper=[]
def push(self, x: int) -> None:
self.data.append(x)
if len(self.helper)==0 or x<=self.helper[-1]:
self.helper.append(x)
else:
self.helper.append(self.helper[-1])
def pop(self) -> None:
if self.data:
self.helper.pop()
return self.data.pop()
def top(self) -> int:
if self.data:
return self.data[-1]
用队列实现栈
使用队列实现栈的下列操作:
push(x) -- 元素 x 入栈
pop() -- 移除栈顶元素
top() -- 获取栈顶元素
empty() -- 返回栈是否为空
注意:
你只能使用队列的基本操作-- 也就是 push to back, peek/pop from front, size, 和 is empty 这些操作是合法的。
你所使用的语言也许不支持队列。 你可以使用 list 或者 deque(双端队列)来模拟一个队列 , 只要是标准的队列操作即可。
你可以假设所有操作都是有效的(例如, 对一个空的栈不会调用 pop 或者 top 操作)。
这道题是要我们用队列去模拟栈,队列符合先进先出原则,而栈符合先进后出原则,所以本题的关键在于push的时候进行一个翻转操作:
class MyStack:
def __init__(self):
"""
Initialize your data structure here.
"""
self.zhan=[]
def push(self, x: int) -> None:
"""
Push element x onto stack.
"""
self.zhan.append(x)
zhan_len=len(self.zhan)
while zhan_len>1:
self.zhan.append(self.zhan.pop(0))
zhan_len-=1
def pop(self) -> int:
"""
Removes the element on top of the stack and returns that element.
"""
return self.zhan.pop(0)
def top(self) -> int:
"""
Get the top element.
"""
return self.zhan[0]
def empty(self) -> bool:
"""
Returns whether the stack is empty.
"""
return not bool(self.zhan)
# Your MyStack object will be instantiated and called as such:
# obj = MyStack()
# obj.push(x)
# param_2 = obj.pop()
# param_3 = obj.top()
# param_4 = obj.empty()