题目
在字符串 s 中找出第一个只出现一次的字符。如果没有,返回一个单空格。 s 只包含小写字母。
示例:
s = “abaccdeff”
返回 “b”
s = “”
返回 " "
限制:
0 <= s 的长度 <= 50000
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/di-yi-ge-zhi-chu-xian-yi-ci-de-zi-fu-lcof
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
题解
class Solution {
public char firstUniqChar(String s) {
char res=' ';
if(s.length()==0) return res;
HashMap<Character,Integer> hm=new HashMap<Character,Integer>();
for(int i=s.length()-1;i>=0;i--){
if(hm.containsKey(s.charAt(i))){
int cnt=hm.get(s.charAt(i));
hm.put(s.charAt(i),cnt+1);
}else{
hm.put(s.charAt(i),1);
}
}
for(int i=0;i<s.length();i++){
if(hm.get(s.charAt(i))==1){
res=s.charAt(i);
break;
}
}
return res;
}
}