题目

  • 请实现一个函数用来找出字符流中第一个只出现一次的字符。例如,当从字符流中只读出前两个字符"go"时,第一个只出现一次的字符是"g"。当从该字符流中读出前六个字符“google"时,第一个只出现一次的字符是"l"。
    输出描述:

  • 如果当前字符流没有存在出现一次的字符,返回#字符。

  • 关于Linkedhashmap:https://www.cnblogs.com/xiaoxi/p/6170590.html

思路

  • 使用LinkedHashMap存储所有的字符,key值为字符,value为出现的次数,并且存储的内容是按照顺序存储的,HashMap是非顺序存储元素,但是线程安全的,

  • 这次的数据需要顺序这个要求,因为按照顺序后,遍历整个集合才能找到value值为1的数,那么对应的key值就是字符流中出现的第一个不重复字符。

  • 然后遍历整个MAP集合,如果value出现的次数为1,意味着是第一个不重复字符。

  • MAP集合的遍历方式:https://www.cnblogs.com/blest-future/p/4628871.html

代码

  • 牛客
链接:https://www.nowcoder.com/questionTerminal/00de97733b8e4f97a3fb5c680ee10720
来源:牛客网

import java.util.LinkedHashMap;
import java.util.Map;
 
public class Solution {
    Map<Character, Integer> map = new LinkedHashMap<>();
     
    //Insert one char from stringstream
    public void Insert(char ch)
    {
        if(map.containsKey(ch))
            map.put(ch, map.get(ch)+1);
        else    
            map.put(ch, 1);
    }
  //return the first appearence once char in current stringstream
    public char FirstAppearingOnce()
    {
        for(Map.Entry<Character, Integer> en : map.entrySet())
        {
            if(en.getValue() == 1) return en.getKey();
        }
        return '#';
    }
}
  • 测试通过的程序

import java.util.Map;
import java.util.LinkedHashMap;
public class Solution { 
    Map<Character,Integer> map = new LinkedHashMap<>();
    //Insert one char from stringstream
    public void Insert(char ch)
    {
         if(map.containsKey(ch)){
                map.put(ch,map.get(ch)+1);
         }else{
             map.put(ch,0);
         }
    }
  //return the first appearence once char in current stringstream
    public char FirstAppearingOnce()
    {
        //for(int i:map.values()){
        for (Map.Entry<Character, Integer> set : map.entrySet()) {
           if(set.getValue()==0)
                return set.getKey(); 
        }
            return '#';
    }
}