传送门
字符串中的第一个唯一字符:给定一个字符串 s ,找到 它的第一个不重复的字符,并返回它的索引 。如果不存在,则返回 -1 。
示例 1:
输入: s = “leetcode”
输出: 0
示例 2:
输入: s = “loveleetcode”
输出: 2
示例 3:
输入: s = “aabb”
输出: -1
提示:
class Solution {
public:
int firstUniqChar(string s) {
unordered_map<char, int> hashmap;
// 遍历字符串,将其中字母添加进hashmap,若hashmap中存在此字母,则将其值设置为INT_MIN,否则值为其索引
for(int i = 0; i < s.size(); i++){
if(!hashmap.count(s[i])){
// hashmap中没有此字母,将其值设置为其索引
hashmap[s[i]] = i;
}else{
// hashmap中存在此字母,将其值设置为INT_MAX
hashmap[s[i]] = INT_MIN;
}
}
int res = INT_MAX;
// 寻找第一个不重复的字符,即值不为INT_MIN中最小的那个值
for(auto ch : hashmap){
if(ch.second == INT_MIN){
continue;
}else{
res = min(res, ch.second);
}
}
return res == INT_MAX? -1 : res;
}
};
时间复杂度:
循环字符串,O(n)。
空间复杂度:
哈希表,O(m),其中m为字符串中不同字符的数量,<=26。
class Solution {
public:
int firstUniqChar(string s) {
unordered_map<int, int> frequency;
for (char ch: s) {
++frequency[ch];
}
for (int i = 0; i < s.size(); ++i) {
if (frequency[s[i]] == 1) {
return i;
}
}
return -1;
}
};
作者:力扣官方题解
链接:https://leetcode.cn/problems/first-unique-character-in-a-string/solutions/531740/zi-fu-chuan-zhong-de-di-yi-ge-wei-yi-zi-x9rok/
来源:力扣(LeetCode)
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。
时间复杂度:
O(n),其中 n 是字符串 s 的长度。
空间复杂度:
O(∣Σ∣),其中 Σ 是字符集,在本题中 s 只包含小写字母,因此 ∣Σ∣≤26。
做题时,想着在遍历字符串时,不仅需要使用哈希表将重复的字符标记,还需要将不重复的字符的索引记录下来,方便后面通过哈希表得到第一个不重复的字符的索引;
而没有想到像官方题解那样通过遍历两次字符串来实现。虽然时间复杂度和空间复杂度基本相等,但是显然官方题解更加简洁更加优美。
2024.1.9