剑指 Offer 06.从尾到头打印链表
程序员文章站
2022-06-17 17:18:50
...
这道题,其实说法不是那么准确,头节点一般是不存数据的,第一个存数据的应该是首元节点。
在这道题目中,头结点其实存了数据
思路一
逆序,使用头插法将该链表逆序
时间复杂度为O(n)
空间复杂度为O(n)
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) { val = x; }
* }
*/
class Solution {
public int[] reversePrint(ListNode head) {
int length = 0;
ListNode p=null;
//逆序链表,并且记录链表的长度
while(head != null)
{
ListNode temp = head.next;
head.next = p;
p=head;
head = temp;
length++;
}
int [] arr = new int [length];
for(int i= 0;i<length;i++)
{
arr[i] =p.val;
p=p.next;
}
return arr;
}
}
思路二
可以借助栈,先进后出的性质,逆序该链表
时间复杂度为O(n)
空间复杂度为O(n)
总的来说,借助栈来逆序链表,比头插法所花的时间要长
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) { val = x; }
* }
*/
class Solution {
public int[] reversePrint(ListNode head) {
Stack<ListNode> st =new Stack<ListNode>();
while(head != null)
{
st.push(head);
head=head.next;
}
int length = st.size();
int [] arr =new int [length];
for(int i=0;i<length;i++)
arr[i]=st.pop().val;
return arr;
}
}