LeetCode Java刷题笔记—232. 用栈实现队列
Posted 刘Java
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了LeetCode Java刷题笔记—232. 用栈实现队列相关的知识,希望对你有一定的参考价值。
请你仅使用两个栈实现先入先出队列。队列应当支持一般队列支持的所有操作(push、pop、peek、empty)。
简单难度,使用两个栈即可实现,一个输入栈一个输出栈。
class MyQueue
//输入
private Stack<Integer> in = new Stack<>();
//输出
private Stack<Integer> out = new Stack<>();
public MyQueue()
public void push( int x )
in.push( x );
public int pop()
// 如果输出栈为空,则将输入栈全部弹出并压入输出栈中,然后输出栈再出栈
if( out.isEmpty() )
while( !in.isEmpty() )
out.push( in.pop() );
return out.pop();
public int peek()
// 如果输出栈为空,则将输入栈全部弹出并压入输出栈中
if( out.isEmpty() )
while( !in.isEmpty() )
out.push( in.pop() );
return out.peek();
public boolean empty()
//判断输入输出栈是否都为空
return in.isEmpty() && out.isEmpty();
以上是关于LeetCode Java刷题笔记—232. 用栈实现队列的主要内容,如果未能解决你的问题,请参考以下文章
Leetcode刷题100天—232. 用栈实现队列(队列)—day02