仅用递归函数和栈操作逆序一个栈
Posted 数据科学工作加油站
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了仅用递归函数和栈操作逆序一个栈相关的知识,希望对你有一定的参考价值。
要求:
一个栈依次压入1,2,3,4,5那么从栈顶到栈底分别为5,4,3,2,1。将这个栈转置后,从栈顶到栈底为1,2,3,4,5,也就是实现栈中元素的逆序,但是只能用递归函数来实现,而不能用另外的数据结构。
import java.util.Stack; public class Problem03_ReverseStackUsingRecursive { /* * 递归得到栈底元素 */ public static int getAndRemoveLastElement(Stack<Integer> stack){ int result = stack.pop(); if (stack.isEmpty()){ return result; } else { int lastElement = getAndRemoveLastElement(stack); stack.push(result); return lastElement; } } /* * 逆序 */ public static void reverse(Stack<Integer> stack) { if (stack.isEmpty()) { return; } int i = getAndRemoveLastElement(stack); reverse(stack); stack.push(i); } public static void main(String[] args) { Stack<Integer> test = new Stack<Integer>(); test.push(1); test.push(2); test.push(3); test.push(4); test.push(5); System.out.println(test); reverse(test);
System.out.println(test);
while (!test.isEmpty()) { System.out.println(test.pop()); } } }
运行结果:
[1, 2, 3, 4, 5] [5, 4, 3, 2, 1] 1 2 3 4 5
以上是关于仅用递归函数和栈操作逆序一个栈的主要内容,如果未能解决你的问题,请参考以下文章