剑指 Offer 06. 从尾到头打印链表
程序员文章站
2022-06-17 17:45:52
...
剑指 Offer 06. 从尾到头打印链表
输入一个链表的头节点,从尾到头反过来返回每个节点的值(用数组返回)。
第一种方法:
存入可变数组中,倒序插入数组
public static int[] reversePrint(ListNode head) {
//将数据放入arrlist中
ArrayList<Integer> value = new ArrayList<>();
while (head != null){
value.add(head.val);
head = head.next;
}
//计算所需数组长度
int[] reverse = new int[value.size()];
//将数据放入数组中
for(int i =0;i < value.size(); i++){
reverse[i] = value.get(value.size()-1-i);
}
return reverse;
}
第二种方法:利用Stack
一、stack定义:栈是一种只能在一端进行插入或删除操作的线性表。(先进后出表)
Java Collection框架提供了一个Stack类,用于建模和实现Stack数据结构。该类基于后进先出的基本原则。除了基本的push和pop操作之外,该类还提供了另外三个函数 empty,search和peek。
二、Stack类中的方法:
(1)Object push(Object element):将元素推送到堆栈顶部。
(2)Object pop():移除并返回堆栈的顶部元素。如果我们在调用堆栈为空时调用pop(),则抛 出’EmptyStackException’异常。
(3)Object peek():返回堆栈顶部的元素,但不删除它。
(4)boolean empty():如果堆栈顶部没有任何内容,则返回true。否则,返回false。
int search(Object element):确定对象是否存在于堆栈中。如果找到该元素,它将从堆栈顶部返回元素的位置。否则,它返回-1。
public static int[] reversePrintTwo(ListNode head){
Stack<Integer> stack = new Stack<Integer>();
while (head != null){
stack.push(head.val);
head = head.next;
}
int size = stack.size();
//出栈过程中栈的元素减少,大小也减小
//int[] reverse = new int[stack.size()];
//for (int i = 0; i < stack.size(); i++){
int[] reverse = new int[size];
for (int i = 0; i < size; i++){
reverse[i] = stack.pop();
}
return reverse;
}
三、递归逆序打印出来链表
我们知道如果逆序打印一个链表使用递归的方式还是很简单的,像下面这样:
public static void reversePrintThree(ListNode head){
if(head == null){
return;
}
reversePrintThree(head.next);
System.out.println(head.val);
}