给你单链表的头节点 head ,请你反转链表,并返回反转后的链表。
- 示例
输入:head = [1,2,3,4,5]
输出:[5,4,3,2,1]
思路一 迭代
假设链表为 1→2→3→∅,我们想要把它改成 ∅←1←2←3。在遍历链表时,将当前节点的 next 指针改为指向前一个节点。由于节点不能指向前一个节点,因此必须事先存储其前一个节点。在更改引用之前,还需要存储后一个节点。最后返回新的头引用。
- 代码
public ListNode reverseList(ListNode head) {
ListNode prev = null;
ListNode curr = head;
while (curr != null) {
ListNode next = curr.next;
curr.next = prev;
prev = curr;
curr = next;
}
return prev;
}
思路二 递归
解释:n(k).next 为 n(k+1), n(k+1).next = n(k)。 不就反转了嘛。
class Solution {
public ListNode reverseList(ListNode head) {
if (head == null || head.next == null) {
return head;
}
ListNode newHead = reverseList(head.next);
head.next.next = head;
head.next = null;
return newHead;
}
}
- 这道题是面试高频题,建议好好理解。