第一个只出现一次的字符

第一个只出现一次的字符

题目:在一个字符串(0<=字符串长度<=10000,全部由字母组成)中找到第一个只出现一次的字符,并返回它的位置, 如果没有则返回 -1(需要区分大小写)

分析:用map数据结构记录字符的出现次数,方法简单,效率也高。

import java.util.LinkedHashMap;

public class Solution {
    public int FirstNotRepeatingChar(String str) {
        LinkedHashMap<Character, Integer> map = new LinkedHashMap<>();
        for(int i = 0; i < str.length(); ++i) {
            if(map.containsKey(str.charAt(i))) {
                int count = map.get(str.charAt(i));
                map.put(str.charAt(i), ++count);
            }else {
                map.put(str.charAt(i), 1);
            }
        }
        for(int i = 0; i < str.length(); ++i) {
            if(map.get(str.charAt(i)) == 1)
                return i;
        }
        return -1;
    }

    public static void main(String[] args) {
        Solution test = new Solution();
        int result = test.FirstNotRepeatingChar("google");
        System.out.println(result);
    }
}
上一篇:LinkedHashMap实现 LRU


下一篇:LinkedHashMap 的核心就 2 点,搞清楚,也就掌握了