763. 划分字母区间
LeetCode题目要求
给你一个字符串 s 。我们要把这个字符串划分为尽可能多的片段,同一字母最多出现在一个片段中。
注意,划分结果需要满足:将所有划分结果按顺序连接,得到的字符串仍然是 s 。
返回一个表示每个字符串片段的长度的列表。
示例
输入:s = "ababcbacadefegdehijhklij"
输出:[9,7,8]
解释:
划分结果为 "ababcbaca"、"defegde"、"hijhklij" 。
每个字母最多出现在一个片段中。
像 "ababcbacadefegde", "hijhklij" 这样的划分是错误的,因为划分的片段数较少。
##### 解题思路
划分字符串
s = 'ababcbacadefegdehijhklij'
从前往后遍历,找到之前遍历过的所有字母的边界,就找到了分隔点
因为题目给的要求是:s 仅由小写英文字母组成,那么我们利用一个 int 数组,来存储每个字符出现的最远位置
然后再遍历 s 的时候与位置做对比,从而找出最远位置的子串
上代码
class Solution {
public List
partitionLabels(String s) {
List<Integer> res = new ArrayList<>();
char[] cs = s.toCharArray();
// 记录每个字母最后一次出现的问题
int[] ci = new int[26];
for (int i = 0; i < cs.length; i++) {
ci[cs[i] - 'a'] = i;
}
// 字符索引位置
int charIndex = 0;
int last = -1;
for (int i = 0; i < cs.length; i++) {
// 当前字符位置与 本字符位置最远位置 取最大值
charIndex = Math.max(charIndex, ci[cs[i] - 'a']);
// 当:当前字符位置正好是最远位置,就放入结果
if (i == charIndex) {
res.add(i - last);
last = i;
}
}
return res;
}
}
##### 重难点
附:[学习资料链接](https://programmercarl.com/0763.%E5%88%92%E5%88%86%E5%AD%97%E6%AF%8D%E5%8C%BA%E9%97%B4.html)