Problem: 763. 划分字母区间
文章目录
题目描述
思路
1.创建一个名为 last 的数组,用于存储每个字母在字符串 s 中最后出现的位置。然后,获取字符串 s 的长度 len。
2.计算每个字母的最后位置:遍历字符串 s,对于每个字符 s.charAt(i),计算其在字母表中的位置(s.charAt(i) - 'a'),并将其最后出现的位置 i 存储在 last 数组中。
3.初始化分割的起始和结束位置:创建一个名为 pos 的列表,用于存储每个部分的长度。然后,初始化 start 和 end 为0,它们分别表示当前部分的起始和结束位置。
4.计算每个部分的长度:遍历字符串 s,对于每个字符 s.charAt(i),更新 end 为 end 和 last[s.charAt(i) - 'a'] 中的最大值。然后,将 start 设置为 end + 1。
复杂度
时间复杂度:
O ( n ) O(n) O(n);其中 n n n为字符串s的长度;
空间复杂度:
O ( 1 ) O(1) O(1)
Code
java
class Solution {
/**
* Partition Labels
*
* @param s Given string
* @return List<Integer>
*/
public List<Integer> partitionLabels(String s) {
int[] last = new int[26];
int len = s.length();
for (int i = 0; i < len; ++i) {
last[s.charAt(i) - 'a'] = i;
}
List<Integer> pos = new ArrayList<>();
int start = 0;
int end = 0;
for (int i = 0; i < len; ++i) {
end = Math.max(end, last[s.charAt(i) - 'a']);
if (i == end) {
pos.add(end - start + 1);
start = end + 1;
}
}
return pos;
}
}