算法刷题 -- 206 反转链表 <难度 ★☆☆>

1、力扣原题

https://leetcode-cn.com/problems/reverse-linked-list/
算法刷题 -- 206 反转链表 <难度 ★☆☆>_第1张图片

2、解题思路(递归)

算法刷题 -- 206 反转链表 <难度 ★☆☆>_第2张图片

class Solution {
    public ListNode reverseList(ListNode head) {
        if (head == null || head.next == null) {
			return head;
		}
		
		ListNode newHead = reverseList(head.next);
		// head.next : 4
		// head.next.next : 4的next要指向5
		// head.next: 5的next为null 
		head.next.next = head;  
		head.next = null;
		
		return newHead;
    }
}

算法刷题 -- 206 反转链表 <难度 ★☆☆>_第3张图片

2、解题思路(迭代)

算法刷题 -- 206 反转链表 <难度 ★☆☆>_第4张图片

public ListNode reverseList(ListNode head) {
		if (head == null || head.next == null) {
			return head;
		}
		
		ListNode newHead = null;
		
		
		while (head != null) {
		 	// 空盆交换法
			ListNode tempListNode = head.next;
			head.next = newHead;
			newHead = head;
			head = tempListNode;
		}
		
		return newHead;
    }

算法刷题 -- 206 反转链表 <难度 ★☆☆>_第5张图片

你可能感兴趣的:(#,刷题一千零一夜,链表,算法,leetcode)