206. 反转链表 2019-11-15

题目:

反转一个单链表。

示例:

image.png

思路:

双指针迭代链表:一个指针pre指向null,一个指针cur指向链表头,遍历cur,每次将cur的指向下一个链表的指针指向pre;然后pre和cur同时前进一步,直到cur指向空;

递归:
递归的两个条件:

终止条件是当前节点或者下一个节点==null
在函数内部,改变节点的指向,也就是head的下一个节点指向head 递归函数那句
head.next.next = head
很不好理解,其实就是head的下一个节点指向head。
递归函数中每次返回的cur其实只最后一个节点,在递归函数内部,改变的是当前节点的指向。

作者:user7439t
链接:https://leetcode-cn.com/problems/reverse-linked-list/solution/dong-hua-yan-shi-206-fan-zhuan-lian-biao-by-user74/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。

代码:

//双指针迭代链表
/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
class Solution {
    public ListNode reverseList(ListNode head) {
        ListNode pre = null;
        ListNode cur = head;
        while (cur != null) {
            ListNode temp = cur.next;
            cur.next = pre;
            pre = cur;
            cur = temp;
        }
        return pre;
    }
}

//递归
/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
class Solution {
    public ListNode reverseList(ListNode head) {
        if (head == null || head.next == null) {
            return head;
        }
        //假设是 1,2,3,4,5 
        //当head.next = 5 ,head = 4 时,开始出栈
        ListNode newHead = reverseList(head.next);
        //让5的指向下一节点的指针指向4(反转)
        head.next.next = head;
        //避免链表是循环的
        //将4的指向下一个节点的指针指向空;
        head.next = null;
        return newHead;
    }
}

时间复杂度:O(n),空间复杂度:O(1)

你可能感兴趣的:(206. 反转链表 2019-11-15)