-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathMaximize partitions in a String.cpp
27 lines (22 loc) · 1.12 KB
/
Maximize partitions in a String.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
class Solution {
public:
int maxPartitions(string &s) {
unordered_map<char, int> ump; // Hash map to store the last occurrence of each character in the string
// Step 1: Store the last occurrence index of each character in the map
for(int i = 0; i < s.size(); i++) {
ump[s[i]] = i; // Updating the last occurrence index of character s[i]
}
int last = -1; // This keeps track of the farthest index we need to reach before making a partition
int count = 0; // Counter for the number of partitions
// Step 2: Iterate through the string to determine partitions
for(int i = 0; i < s.size(); i++) {
last = max(last, ump[s[i]]); // Update `last` with the farthest index of the current character
// If the current index `i` reaches `last`, we have found a valid partition
if(i == last) {
count++; // Increment partition count
last = -1; // Reset last for the next partition
}
}
return count; // Return the number of partitions
}
};