读到这道题一开始没理解,看了别人解答后理解的是,分割为N段字符串数组,每一个被分割的单位内的字符只存在于这个组内,有一点最小回文子串的味道。下面是我的解题代码与解释:
class Solution {
public List<Integer> partitionLabels(String s) {
//一共26个字符,a~z,last数组存每个字符在 s 中最后的位置
int last[] = new int[26];
for(int i = 0;i<s.length();i++){
char c = s.charAt(i);
last[c-'a'] = i;
}
//放置分割位置
List<Integer> position = new ArrayList();
//每个切割位置的起点与终点
int start = 0;
int end = 0;
//从头开始遍历s ,把每个遍历到的字符取他的最远举例
//一旦遍历的索引位置 i 与 之前所有遍历过的字符位置相等,
//说明前面的所有字符都只在于 start 与end 区间之内,所以是一个切割点
//记录切割点,继续下一段切割点
for(int i = 0; i<s.length();i++){
char c = s.charAt(i);
end = Math.max(end,last[c-'a']);
if(i==end){
position.add(end-start+1);
start = end+1;
}
}
return position;
}
}