示例 1:
输入:S = “ababcbacadefegdehijhklij” 输出:[9,7,8] 解释: 划分结果为 “ababcbaca”, “defegde”, “hijhklij”。 每个字母最多出现在一个片段中。 像 “ababcbacadefegde”, “hijhklij” 的划分是错误的,因为划分的片段数较少。
提示:
S的长度在[1, 500]之间。 S只包含小写字母 ‘a’ 到 ‘z’ 。 通过次数21,365提交次数29,538
这道题贪心倒还是很容易想到的,对于某个字母,如果想让他只存在在一个片段中,那么这个片段至少大小是,最后这个数的位置减去初始位置
class Solution { public List<Integer> partitionLabels(String S) { int []last=new int[26]; for(int i=0;i<S.length();i++){ last[S.charAt(i)-'a']=i; } int j=0,anchor=0; List<Integer>ans=new ArrayList(); for(int i=0;i<S.length();i++){ j=Math.max(j,last[S.charAt(i)-'a']); if(i==j){ ans.add(i-anchor+1); anchor=i+1; } } return ans; } }