下面要给大家分享的实例是和用两个栈实现队列相关的内容,一起来看看题目以及解题的思路和代码实现方法吧!
题目:
用2个栈来实现一个队列,完成队列的Push以及Pop操作。
注:
队列当中的元素是int类型。
思路1
代码实现:
import java.util.Stack; public class Solution { Stack < Integer > stack1 = new Stack < Integer > (); Stack < Integer > stack2 = new Stack < Integer > (); public void push(int node) { stack1.push(node); } public int pop() { if (stack1.empty() && stack2.empty()) { throw new RuntimeException("Queue is empty!"); } if (stack2.empty()) { while (!stack1.empty()) { stack2.push(stack1.pop()); } } return stack2.pop(); } }
思路2:
每次psuh是时先将stack2清空放入stck1(保证选入的一定在栈底),stack2始终是用来删除的,在pop前,先将stack1中中的数据清空放入stack2(保存后入的在栈底),stack1始终用于push。
代码实现:
import java.util.Stack; public class Solution { Stack < Integer > stack1 = new Stack < Integer > (); Stack < Integer > stack2 = new Stack < Integer > (); public void push(int node) { while (!stack2.isEmpty()) { stack1.push(stack2.pop()); } stack1.push(node); } public int pop() { while (!stack1.isEmpty()) { stack2.push(stack1.pop()); } return stack2.pop(); } }
思路3
代码实现:
import java.util.Stack; public class Solution { //负责装元素 Stack < Integer > stack1 = new Stack < Integer > (); //负责出元素 Stack < Integer > stack2 = new Stack < Integer > (); public void push(int node) { stack1.push(node); } //主要思想是:stack2有元素就pop,没有元素就将stack1中所有元素倒进来再pop public int pop() throws Exception { if (!stack2.isEmpty()) { int node = stack2.pop(); return node; } else { if (stack1.isEmpty()) { throw new Exception("no valid element"); } while (!stack1.isEmpty()) { stack2.push(stack1.pop()); } return stack2.pop(); } } }
更多的实例,可以多多的关注奇Q工具网的java实例栏目来了解哦!
推荐阅读: