题目链接:763. 划分字母区间 - 力扣(LeetCode)
要将一个字符串划分为多个子串,要求每个字母只能出现在一个子串里面
如果一个字母的当前位置是它在这个字符串里面最后一次出现的位置,那么这里就应该划分出来成为子串
可以先用一个数组记录每个字母的最后出现的位置,然后再次遍历字符串,如果当前字母的位置就是该字母最后出现的位置,那么此处应该分离
class Solution {
public:
vector<int> partitionLabels(string s) {
int last[26];
for (int i = 0; s[i]; ++i)
last[s[i] - 'a'] = i;
int begin = 0, end = 0;
vector<int> ans;
for (int i = 0; s[i]; ++i) {
end = max(end, last[s[i] - 'a']);
if (i == end) {
ans.push_back(end - begin + 1);
begin = end + 1;
}
}
return ans;
}
};