【LeetCode刷题记录】24.堆盘子

206 阅读1分钟

Offer 驾到,掘友接招!我正在参与2022春招打卡活动,点击查看活动详情

一、题目描述:

题目来源:LeetCode-堆盘子

堆盘子。设想有一堆盘子,堆太高可能会倒下来。

因此,在现实生活中,盘子堆到一定高度时,我们就会另外堆一堆盘子。

请实现数据结构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]

二、思路分析:

新建List<Stack>用来存放各个栈,栈的个数是动态变化的。

push的时候,需要新建一个栈,或者直接插入到最后一个栈中。

pop直接调用popAt方法。

popAt方法需要处理的是弹出指定位置栈的栈顶元素。

通过list拿到指定index的栈,拿到之后执行stack的pop操作即可。

如果弹出栈顶元素之后,当前stack变成空了,需要将当前stack从list中移除。

三、AC 代码:


    class StackOfPlates {
        private List<Stack<Integer>> stackList;
        private int capcity;

        public StackOfPlates(int capcity) {
            stackList = new ArrayList<>();
            this.capcity = capcity;
        }

        public void push(int val) {
            if (capcity <= 0) return;
            if (stackList.isEmpty() || stackList.get(stackList.size() - 1).size() == capcity) {
                Stack<Integer> stack = new Stack<>();
                stack.push(val);
                stackList.add(stack);
                return;
            }
            stackList.get(stackList.size() - 1).push(val);
        }

        public int pop() {
            return popAt(stackList.size() - 1);
        }

        public int popAt(int index) {
            if (index < 0 || index >= stackList.size()) return -1;
            Stack<Integer> stack = stackList.get(index);
            if (stack.isEmpty()) return -1;
            int result = stack.pop();
            if (stack.isEmpty()) stackList.remove(index);
            return result;
        }
    }