字元流中第一個不重複的字元

低吟不作語發表於2020-12-16

請實現一個函式用來找出字元流中第一個只出現一次的字元。例如,當從字元流中只讀出前兩個字元 “go” 時,第一個只出現一次的字元是 “g”。當從該字元流中讀出前六個字元 “google" 時,第一個只出現一次的字元是 “l”


解題思路

這題思路很直接,用 LinkedHashMap 啪的一下就做出來了

import java.util.LinkedHashMap;
public class Solution {
    private LinkedHashMap<Character, Integer> map = new LinkedHashMap<>();
    //Insert one char from stringstream
    public void Insert(char ch) {
        if(!map.containsKey(ch)) {
            map.put(ch, 1);
        } else {
            map.put(ch, -1);
        }
    }
  //return the first appearence once char in current stringstream
    public char FirstAppearingOnce() {
        for(char ch : map.keySet()) {
            if(map.get(ch) == 1) {
                return ch;
            }
        }
        return '#';
    }
}

相關文章