Leetcode——字符串中的第一个唯一字符
Posted Yawn,
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Leetcode——字符串中的第一个唯一字符相关的知识,希望对你有一定的参考价值。
1. 题目
给定一个字符串,找到它的第一个不重复的字符,并返回它的索引。如果不存在,则返回 -1。
示例:
s = “leetcode”
返回 0
s = “loveleetcode”
返回 2
提示:你可以假定该字符串只包含小写字母。
2. 题解
解法一:
两次遍历
- 第一遍先统计每个字符出现的次数
- 第二遍再次从前往后遍历字符串s中的每个字符
- 如果某个字符出现一次直接返回
class Solution {
public int firstUniqChar(String s) {
int[] count = new int[26];
char[] str = s.toCharArray();
for(int i = 0; i < s.length(); i++){
count[str[i] - 'a']++; //为了转为int类型,本身为字母减去"a"
}
for(int i = 0; i < s.length(); i++){
if(count[str[i] - 'a'] == 1)
return i;
}
return -1;
}
}
解法二:
使用HashMap存储,核心思想一样,换汤不换药
class Solution {
public int firstUniqChar(String s) {
HashMap<Character, Integer> map = new HashMap<>();
char[] str = s.toCharArray();
for(int i = 0; i < s.length(); i++){
map.put(str[i], map.getOrDefault(str[i],0) + 1);
}
for(int i = 0; i < s.length(); i++){
if(map.get(str[i]) == 1)
return i;
}
return -1;
}
}
以上是关于Leetcode——字符串中的第一个唯一字符的主要内容,如果未能解决你的问题,请参考以下文章
LeetCode 哈希表 387. 字符串中的第一个唯一字符(计数哈希表,字符串)
《LeetCode之每日一题》:281.字符串中的第一个唯一字符