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

Max Chunks To Make Sorted II

Difficulty: Hard


Problem Description

You are given an integer array arr. We split arr into some number of chunks (i.e., partitions), and individually sort each chunk. After concatenating them, the result should equal the sorted array. Return the largest number of chunks we can make to sort the array.

Key Insights

  • The sorted version of arr can be used to determine the boundaries of each chunk.
  • A chunk can be formed if the maximum value in the chunk is less than or equal to the minimum value of the part that follows it in the sorted array.
  • Using a greedy approach, we can keep track of the maximum values encountered as we iterate through the array.

Space and Time Complexity

Time Complexity: O(n)
Space Complexity: O(1)

Solution

To solve the problem, we will use a greedy algorithm that involves two passes through the array. In the first pass, we will calculate the maximum value for chunks and also keep track of the maximum value seen so far. In the second pass, we will verify how many chunks can be made by comparing the maximum values of the chunks with the minimum values of the remaining elements in the sorted array.


Code Solutions

def maxChunksToSorted(arr):
    max_chunks = 0
    max_so_far = 0
    
    for i in range(len(arr)):
        max_so_far = max(max_so_far, arr[i])
        if max_so_far == i:
            max_chunks += 1
            
    return max_chunks
← Back to All Questions