Intervue featured on Shark TankIntervue featured on Shark Tank - mobile banner

Given the head of a linked list, return the list after sorting it in ascending order.

Constraints:

  • The number of nodes in the list is in the range [0, 5 * 10^4].
  • -10^5 <= Node.val <= 10^5

Examples:

Input: [4,2,1,3]

Output: [1,2,3,4]

Explanation: The linked list is sorted in ascending order.

Input: []

Output: []

Explanation: The empty linked list is already sorted.

Input: [1]

Output: [1]

Explanation: The linked list with one node is already sorted.

Solutions

Merge Sort

Time: O(n log n)Space: O(log n)

The solution uses the merge sort algorithm to sort the linked list. It first converts the linked list to an array, sorts the array, and then updates the linked list with the sorted values.

function sortList(head) {
  let arr = [];
  let curr = head;
  while (curr) {
    arr.push(curr.val);
    curr = curr.next;
  }
  arr.sort((a, b) => a - b);
  curr = head;
  let i = 0;
  while (curr) {
    curr.val = arr[i++];
    curr = curr.next;
  }
  return head;
}

Difficulty: Medium

Category: Linked Lists

Frequency: High

Company tags:

GoogleAmazonMicrosoft