难度简单345
给定一个字符串,找到它的第一个不重复的字符,并返回它的索引。如果不存在,则返回 -1。
示例:
s = "leetcode" 返回 0 s = "loveleetcode" 返回 2
提示:你可以假定该字符串只包含小写字母。
这题思路是很清晰的,和前面两个哈希表的题是一样的。用哈希表存储,然后对哈希表进行遍历,找到字符次数为1的字符索引返回即可。
class Solution {
public:
int firstUniqChar(string s) {
unordered_map<char, int> map;
for(auto& ch: s){
map[ch]++;
}
for(int i = 0; i < s.length(); i++){
if(map[s[i]] == 1){
return i;
}
}
return -1;
}
};
到这里也是可以总结一下的,