We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Sort an Array

Difficulty: Medium


Problem Description

Given an array of integers nums, sort the array in ascending order and return it. You must solve the problem without using any built-in functions in O(n log(n)) time complexity and with the smallest space complexity possible.


Key Insights

  • The task requires sorting an array of integers efficiently.
  • We need to achieve a time complexity of O(n log(n)).
  • The solution should use minimal additional space.
  • Suitable sorting algorithms include Merge Sort, Heap Sort, and variants of Counting Sort for specific conditions (e.g., known range of values).

Space and Time Complexity

Time Complexity: O(n log(n))
Space Complexity: O(1) for in-place algorithms like Heap Sort; O(n) for Merge Sort due to auxiliary space.


Solution

To sort the array efficiently, we can use the Heap Sort algorithm. Heap Sort constructs a binary heap from the input data and then sorts the array in place by repeatedly extracting the maximum element from the heap. This approach ensures that we achieve the desired time complexity of O(n log(n)) while using O(1) space if implemented in place.

  1. Build a max heap from the input array.
  2. Swap the root of the heap with the last element of the heap.
  3. Reduce the size of the heap and heapify the root element.
  4. Repeat the process until the heap is empty.

Code Solutions

def heapify(arr, n, i):
    largest = i
    left = 2 * i + 1
    right = 2 * i + 2

    if left < n and arr[left] > arr[largest]:
        largest = left

    if right < n and arr[right] > arr[largest]:
        largest = right

    if largest != i:
        arr[i], arr[largest] = arr[largest], arr[i]
        heapify(arr, n, largest)

def heap_sort(nums):
    n = len(nums)

    # Build a maxheap
    for i in range(n // 2 - 1, -1, -1):
        heapify(nums, n, i)

    # One by one extract elements from heap
    for i in range(n - 1, 0, -1):
        nums[i], nums[0] = nums[0], nums[i]  # swap
        heapify(nums, i, 0)

    return nums

# Example usage:
print(heap_sort([5, 2, 3, 1]))  # Output: [1, 2, 3, 5]
← Back to All Questions