给定一个字符串,找到它的第一个不重复的字符,并返回它的索引。如果不存在,则返回 -1。
建立一个哈希表,索引为字母,如果字母没有出现,值为-2;如果字母出现多次,值为-1;如果字母只出现一次,值为出现的位置。
class Solution {
public:
int firstUniqChar(const string& s) {
vector<int> first_indices(26, -2);
for (size_t i = 0; i < s.length(); i++) {
char letter = s[i];
size_t key = s[i] - 'a';
if (first_indices[key] == -2) {
first_indices[key] = i;
} else if (first_indices[key] == -1) {
continue;
} else {
first_indices[key] = -1;
}
}
for (size_t i = 0; i < s.length(); i++) {
char letter = s[i];
size_t key = s[i] - 'a';
if (first_indices[key] != -2 && first_indices[key] != -1) {
return i;
}
}
return -1;
}
};
时间复杂度为O(n),空间复杂度为O(1)。