34. 第一个只出现一次的字符
思路:
由于限定了所有字符为字母,所以可以统计每个字符出现的次数,然后第二次遍历字符串,判断每个字符出现的次数,找到第一个次数为一的返回即可
这里计数数组长度设置为 58, 是因为 大写字符的 ASCII 范围为 65 - 90, 小写字符的ASCII 范围为 97 - 122,所以从 65 - 122 共58个单位长度
public class Solution { public int FirstNotRepeatingChar(String str) { // 计数排序 // 数组长度只需 58即可 112 - 65 + 1 = 58 int[] count = new int[58]; for(int i = 0; i < str.length(); i++){ count[str.charAt(i) - 'A']++; } // 再次遍历 str 字符串,找到第一个字符对应的个数为1即可 for(int i = 0; i < str.length(); i++){ if(count[str.charAt(i) - 'A'] == 1){ return i; } } return -1; } }
注:
Java 中的字符在于整数做加减运算的时候也会转换成 ASCII 来做运算,所以可以作为下标来使用。