Skip to content

LeetCode 206 LintCode 35 Reverse Linked List

Published: at 06:23 AM

Table of contents

Open Table of contents

Description

Question Links: LeetCode 206, LintCode 35

Given the head of a singly linked list, reverse the list, and return the reversed list.

Example 1:

example1

Input: head = [1,2,3,4,5]
Output: [5,4,3,2,1]

Example 2:

Input: head = [1,2]
Output: [2,1]

Example 3:

Input: head = []
Output: []

Constraints:

Follow up: A linked list can be reversed either iteratively or recursively. Could you implement both?

Idea1

We could solve this iteratively. For linked list, it is easier to write code as you draw the action on a piece of paper or whiteboard, or imagine in your head. Please check the image below for the steps to reverse the link.

reverse.linkedlist.iterative

Complexity: Time O(n)O(n), Space O(1)O(1).

Python

class Solution1:
    """0 ms, 18.58 mb"""

    def reverseList(self, head: Optional[ListNode]) -> Optional[ListNode]:
        res = None
        while head:  # revise head.next (tmp to res), advance res and head
            tmp = head.next
            head.next = res
            res = head
            head = tmp  # head point to None at the end
        return res

Idea2

We could also solve this question recursively. Please check the image below for the steps.

reverse.linkedlist.recursive

Complexity: Time O(n)O(n), Space O(n)O(n).

The space is linear O(n)O(n) considering the stack space used for the recursive calls. The function cannot be made tail recursive.

Python

class Solution2:
    """0 ms, 18.77 mb"""

    def reverseList(self, head: Optional[ListNode]) -> Optional[ListNode]:
        if head is None or head.next is None:
            return head
        res = self.reverseList(head.next)  # get the new head, then reverse the last two links
        head.next.next = head  # reverse head.next.next
        head.next = None  # reverse head.next
        return res

Previous Post
LeetCode 2450 LintCode 3841 Number of Distinct Binary Strings After Applying Operations
Next Post
LeetCode 1166 LintCode 3677 Design File System