Problem Description
Given the head of a linked list, remove the n-th node from the end of the list and return its head.
Key Insights
- The problem requires removing a specific node identified by its position from the end of the linked list.
- A two-pointer technique can be utilized to find the n-th node from the end in a single pass.
- Edge cases include lists with only one node and when n equals the size of the list.
Space and Time Complexity
Time Complexity: O(sz), where sz is the number of nodes in the linked list (since we may traverse the list). Space Complexity: O(1), as we are using a constant amount of space regardless of the input size.
Solution
The solution employs a two-pointer approach. The idea is to create a gap of 'n' nodes between two pointers. The first pointer is moved 'n' steps ahead, and then both pointers are moved simultaneously until the first pointer reaches the end. At that point, the second pointer will be positioned just before the n-th node from the end, allowing us to easily remove it.
- Initialize two pointers,
first
andsecond
, both pointing to the head of the list. - Move the
first
pointern
nodes ahead. - Then, move both pointers one node at a time until
first
reaches the end of the list. - At this point,
second
will be pointing to the node just before the node to be removed. - Adjust the
next
pointer ofsecond
to skip the node to be removed. - Finally, return the head of the modified list.