《剑指offer》5:用两个栈实现队列

题目描述

用两个栈来实现一个队列,完成队列的Push和Pop操作。 队列中的元素为int类型。


思路:主要使用栈的各种函数进行操作,涉及函数empty(), top(), push(), pop(),用法可以参考https://blog.csdn.net/qq_20366761/article/details/70053813


c++实现:

class Solution
{
public:
    void push(int node) {
        stack1.push(node);
    }

    int pop() {
        int a;
        if(stack2.empty())
        {
            while(!stack1.empty())
            {
                a = stack1.top();
                stack2.push(a);
                stack1.pop();
            }
        }
        a = stack2.top();
        stack2.pop();
        return a;
    }

private:
    stack<int> stack1;
    stack<int> stack2;
};
python实现:python实现就比较简单了,直接用列表就可实现
# -*- coding:utf-8 -*-
class Solution:
    def __init__(self):
        self.arr = []
        
    def push(self, node):
        # write code here
        self.arr.append(node)
    def pop(self):
        # return xx
        return self.arr.pop(0)


猜你喜欢

转载自blog.csdn.net/w113691/article/details/80573577