Asked 3 months ago
0Comments
0 Views
We are given an array arr
of length n
The goal is to split the array into the maximum number of chunks such that sorting each chunk individually and concatenating the results will produce a completely sorted array.
The key observation is that the sum of elements in a chunk from the input array should match the sum of elements in the corresponding sorted range. This is because the sum ensures that the composition of elements in the chunk matches the sorted array's chunk, making them "anagrams" of each other.
Compute a running total (sum1
) for the current input array.
Compute another running total (sum2
) for the expected sorted array indices (from to ).
00
n−1n-1
At each index, if sum1 == sum2
, the current chunk is valid because all elements are in their correct sorted positions when combined.
class Solution {
public:
int maxChunksToSorted(vector<int>& arr) {
int n = arr.size();
int chunks = 0;
int sum1 = 0, sum2 = 0;
for (int i = 0; i < n; i++) {
sum1 += arr[i];
sum2 += i; // Expected element in sorted array is i (0 to n-1)
if (sum1 == sum2) {
chunks++;
}
}
return chunks;
}
};
arr = [1, 0, 2, 3, 4]
sum1 = 0
, sum2 = 0
, chunks = 0
.sum1 = 1
, sum2 = 0
→ Not equal.sum1 = 1
, sum2 = 1
→ Equal → chunks = 1
.sum1 = 3
, sum2 = 3
→ Equal → chunks = 2
.sum1 = 6
, sum2 = 6
→ Equal → chunks = 3
.sum1 = 10
, sum2 = 10
→ Equal → chunks = 4
.chunks = 4
.O(n)O(n): Single pass through the array.
Space Complexity: .
O(1)O(1)
Another key observation is that the largest number seen so far in the array dictates whether a chunk can be formed. Specifically:
max_seen
to keep track of the largest number encountered in the array as we iterate.At each index , check if max_seen == i
.
ii
If true, it means all elements in the current chunk are in their correct positions relative to the sorted array, so we can form a chunk.
class Solution {
public:
int maxChunksToSorted(vector<int>& arr) {
int count = 0;
int max_seen = 0;
for (int i = 0; i < arr.size(); i++) {
max_seen = max(max_seen, arr[i]);
if (max_seen == i)
count++;
}
return count;
}
};
arr = [1, 0, 2, 3, 4]
count = 0
, max_seen = 0
.max_seen = max(0, 1) = 1
→ Not equal to i
.max_seen = max(1, 0) = 1
→ Equal to i
→ count = 1
.max_seen = max(1, 2) = 2
→ Equal to i
→ count = 2
.max_seen = max(2, 3) = 3
→ Equal to i
→ count = 3
.max_seen = max(3, 4) = 4
→ Equal to i
→ count = 4
.count = 4
.O(n)O(n): Single pass through the array.
Space Complexity: .
O(1)O(1)
Feature | Method 1 (Running Sums) | Method 2 (Greedy Max Element) |
---|---|---|
Key Idea | Match cumulative sums to ensure chunks are "anagrams". | Check if max element equals index. |
Time Complexity | O(n)O(n) | O(n)O(n) |
Space Complexity | O(1)O(1) | O(1)O(1) |
Implementation Difficulty | Slightly more intuitive | Simple and direct. |
Use Case | Best for understanding cumulative relationships. | Best for simplicity and clarity. |
Both approaches achieve O(n) , but method 2 is simpler to implement and debug.
Share