Reorder List
Given the head of a singly linked list, reorder it such that the nodes are rearranged in the following way: L0 -> Ln -> L1 -> Ln-1 -> L2 -> Ln-2 -> ... . You may not modify the values in the list's nodes, only the nodes themselves can be changed.
Constraints:
- The number of nodes in the list is in the range [1, 5 * 10^4].
- 1 <= Node.val <= 10^5
Examples:
Input: [1,2,3,4]
Output: [1,4,2,3]
Explanation: The nodes are rearranged in the following way: L0 -> Ln -> L1 -> Ln-1 -> L2 -> Ln-2 -> ... . In this case, L0 = 1, Ln = 4, L1 = 2, Ln-1 = 3.
Solutions
Two Pointers
The solution uses two pointers to traverse the linked list and store the nodes in an array. Then it reorders the nodes in the array and updates the next pointers of the nodes.
class Solution:
def reorderList(self, head:
Optional[ListNode]) -> None:
arr = [] curr = head while curr:
arr.append(curr) curr = curr.next for i in range(len(arr) // 2):
first = arr[i] second = arr[-i - 1] temp1 = first.next temp2 = second.next first.next = second second.next = temp1 if len(arr) % 2:
arr[len(arr) // 2].next = None else:
arr[len(arr) // 2 - 1].next = None
Follow-up:
How would you solve this problem if the linked list is a doubly linked list?