18. Reverse a linked list
The problem can be found at the following link: Problem Link
Problem Description
You are given the head of a singly linked list. Your task is to reverse the list and return the reversed head.
Examples:
Input:
head: 1 -> 2 -> 3 -> 4 -> NULL
Output:
head: 4 -> 3 -> 2 -> 1 -> NULL
Explanation:
Input:
head: 2 -> 7 -> 10 -> 9 -> 8 -> NULL
Output:
head: 8 -> 9 -> 10 -> 7 -> 2 -> NULL
Explanation:
Input:
head: 10 -> NULL
Output:
head: 10 -> NULL
Explanation:
Constraints:
- 1 <= number of nodes, data of nodes <= $10^5$ 
My Approach
- Iterative Reversal Algorithm: The problem can be efficiently solved using an iterative approach by traversing the linked list and reversing the - nextpointers of each node.- Start with two pointers: - prev(initialized to- NULL) and- current(initialized to the head of the list).
- In each iteration, update the - nextpointer of the- currentnode to point to the- prevnode, then move- prevand- currentforward.
- Continue the process until the entire list is reversed. 
 
- Steps: - Initialize - prevto- NULLand- currentto the head of the list.
- Traverse the list while - currentis not- NULL.
- For each node, reverse the - nextpointer to point to- prev.
- Move the - prevand- currentpointers one step forward.
- Once the list is completely reversed, return - prevas the new head.
 
Time and Auxiliary Space Complexity
- Expected Time Complexity: O(n), where - nis the number of nodes in the linked list. We traverse the entire list once.
- Expected Auxiliary Space Complexity: O(1), as we only use a constant amount of additional space (for the - prevand- currentpointers).
Code (C++)
class Solution {
public:
    Node* reverseList(Node* head) {
        Node *prev = NULL, *curr = head, *next;
        while (curr) {
            next = curr->next;
            curr->next = prev;
            prev = curr;
            curr = next;
        }
        return prev;
    }
};Code (Java)
class Solution {
    Node reverseList(Node head) {
        Node prev = null;
        while (head != null) {
            Node next = head.next;
            head.next = prev;
            prev = head;
            head = next;
        }
        return prev;
    }
}Code (Python)
class Solution:
    def reverseList(self, head):
        prev = None
        while head:
            next = head.next
            head.next = prev
            prev = head
            head = next
        return prevContribution and Support
For discussions, questions, or doubts related to this solution, feel free to connect on LinkedIn: Any Questions. Let’s make this learning journey more collaborative!
⭐ If you find this helpful, please give this repository a star! ⭐
📍Visitor Count
Last updated