1. 题目
在字符串 s 中找出第一个只出现一次的字符。如果没有,返回一个单空格。 s 只包含小写字母。
2. 分析
可以采用Map,用键存储字符,用值存储该字符出现的次数。
本题还有一个比较巧妙的点是,采用数组模拟Map时,直接利用字符串做差计算出字符所在的索引位置。这样避免了在遍历字符串时,每次都与数组中对比,看有没有存在这个字符,避免了遍历数组,使得时间复杂度变为了O(n),即只需遍历一次字符串即可。
这里的做差计算实际上起到了散列函数的作用。通过散列函数(键经过该函数得到索引),我们可以快速找到键,而不需要用遍历的方式得到键。
Hash表的key,神奇的像索引!
3. 代码
import java.util.HashMap;
import java.util.Map;
public class ques50 {
public static void main(String[] args) {
String s = "abcdefgabcdefgm";
char result = find_first2(s);
System.out.println(result);
}
public static char find_first(String s) {
Map<Character, Integer> map = new HashMap<Character, Integer>();
for (int i = 0; i < s.length(); ++i) {
char ch = s.charAt(i);
//当Map集合中有该key时,就使用当前key值,否则用设定的默认值
map.put(ch, map.getOrDefault(ch, 0) + 1);
}
for (int i = 0; i < s.length(); ++i) {
if (map.get(s.charAt(i)) == 1) {
return s.charAt(i);
}
}
return ' ';
}
public static char find_first2(String s) {
//自定义数组模拟map
int[] count = new int[26];
char[] chars = s.toCharArray();
//利用ASCII作差,从而计算出索引位置
//遍历字符串,在相应索引位置计数
for (char c : chars) count[c - 'a']++;
//找到计数为1的,遍历顺序仍为原始字符串的顺序
for (char c : chars) {
if (count[c - 'a'] == 1) return c;
}
return ' ';
}
}