给定一个字符串,找到它的第一个不重复的字符,并返回它的索引。如果不存在,则返回 -1。
示例:
s = "leetcode" 返回 0 s = "loveleetcode" 返回 2
提示:你可以假定该字符串只包含小写字母。
遍历字符串,用一个 map 或者字典存放字符串中每个字符出现的次数。然后再次遍历字符串,取出对应字符出现的次数,若次数为 1,直接返回当前字符串的下标。遍历结束,返回 -1。
class Solution:
def firstUniqChar(self, s: str) -> int:
chars = {}
for ch in s:
ch = ord(ch)
chars[ch] = chars.get(ch, 0) + 1
for i, ch in enumerate(s):
ch = ord(ch)
if chars[ch] == 1:
return i
return -1
class Solution {
public int firstUniqChar(String s) {
Map<Character, Integer> chars = new HashMap<>(26);
int n = s.length();
for (int i = 0; i < n; ++i) {
char ch = s.charAt(i);
chars.put(ch, chars.getOrDefault(ch, 0) + 1);
}
for (int i = 0; i < n; ++i) {
char ch = s.charAt(i);
if (chars.get(ch) == 1) return i;
}
return -1;
}
}