程序员面试金典-面试题 03.02. 栈的最小值
作者:互联网
题目:
堆盘子。设想有一堆盘子,堆太高可能会倒下来。因此,在现实生活中,盘子堆到一定高度时,我们就会另外堆一堆盘子。请实现数据结构SetOfStacks,模拟这种行为。SetOfStacks应该由多个栈组成,并且在前一个栈填满时新建一个栈。此外,SetOfStacks.push()和SetOfStacks.pop()应该与普通栈的操作方法相同(也就是说,pop()返回的值,应该跟只有一个栈时的情况一样)。 进阶:实现一个popAt(int index)方法,根据指定的子栈,执行pop操作。
当某个栈为空时,应当删除该栈。当栈中没有元素或不存在该栈时,pop,popAt 应返回 -1.
示例1:
输入:
["StackOfPlates", "push", "push", "popAt", "pop", "pop"]
[[1], [1], [2], [1], [], []]
输出:
[null, null, null, 2, 1, -1]
示例2:
输入:
["StackOfPlates", "push", "push", "push", "popAt", "popAt", "popAt"]
[[2], [1], [2], [3], [0], [0], [0]]
输出:
[null, null, null, null, 2, 1, 3]
分析:
用一个数组来保存每个栈,当某个栈为空时,删除当前数组元素,如果push操作的栈已经达到了cap,则新建栈加入数组中。
注意栈的容量可能为0,需要特殊处理。
程序:
class StackOfPlates { public StackOfPlates(int cap) { list = new ArrayList<>(); _cap = cap; } public void push(int val) { if(_cap <= 0) return; if(list.isEmpty()){ Stack<Integer> stack = new Stack<>(); stack.push(val); list.add(stack); }else{ if(list.get(list.size()-1).size() == _cap){ Stack<Integer> stack = new Stack<>(); stack.push(val); list.add(stack); }else{ list.get(list.size()-1).push(val); } } } public int pop() { return popAt(list.size() - 1); } public int popAt(int index) { if(list.size() == 0 || index > list.size()-1) return -1; int res = list.get(index).pop(); if(list.get(index).size() == 0) list.remove(index); return res; } private List<Stack<Integer>> list; private int _cap; } /** * Your StackOfPlates object will be instantiated and called as such: * StackOfPlates obj = new StackOfPlates(cap); * obj.push(val); * int param_2 = obj.pop(); * int param_3 = obj.popAt(index); */
标签:面试题,popAt,int,金典,cap,list,pop,push,03.02 来源: https://www.cnblogs.com/silentteller/p/12420646.html