Problem Description
Given the head of a singly linked list, reverse the list, and return the reversed list.
Key Insights
- The problem involves reversing a linked list, which can be approached iteratively or recursively.
- A linked list consists of nodes where each node points to the next node, making traversal straightforward but reversal more complex.
- Edge cases include empty lists and lists with a single node.
Space and Time Complexity
Time Complexity: O(n), where n is the number of nodes in the linked list, as we need to traverse the entire list. Space Complexity: O(1) for the iterative solution (in-place reversal) and O(n) for the recursive solution due to the call stack.
Solution
To reverse a singly linked list, we can use two main approaches: iterative and recursive.
-
Iterative Approach:
- We initialize three pointers:
prev
,current
, andnext
. - We traverse the list, reversing the pointers one by one until we reach the end.
- Finally,
prev
will point to the new head of the reversed list.
- We initialize three pointers:
-
Recursive Approach:
- We can use recursion to reverse the linked list by reversing the rest of the list and then adjusting the pointers.
- The base case is when we reach the end of the list (null or single node).
- We adjust the pointers during the unwinding of the recursion stack.