一、前言
本系列文章为《剑指Offer》刷题笔记。
刷题平台:牛客网
书籍下载:共享资源
二、题目
请实现一个函数用来找出字符流中第一个只出现一次的字符。例如,当从字符流中只读出前两个字符"go"时,第一个只出现一次的字符是"g"。当从该字符流中读出前六个字符“google"时,第一个只出现一次的字符是"l"。
输出描述:
如果当前字符流没有存在出现一次的字符,返回#字符。
1、思路
这道题还是很简单的。将字节流保存起来,通过哈希表统计字符流中每个字符出现的次数,顺便将字符流保存在string中,然后再遍历string,从哈希表中找到第一个出现一次的字符。
2、代码
C++:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 | class Solution { public: //Insert one char from stringstream void Insert(char ch) { s += ch; count[ch]++; } //return the first appearence once char in current stringstream char FirstAppearingOnce() { int length = s.size(); for(int i = 0; i < length; i++){ if(count[s[i]] == 1){ return s[i]; } } return '#'; } private: string s; int count[256] = {0}; }; |
Python:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 | # -*- coding:utf-8 -*- class Solution: def __init__(self): self.s = '' self.count = {} # 返回对应char def FirstAppearingOnce(self): # write code here length = len(self.s) for i in range(length): if self.count[self.s[i]] == 1: return self.s[i] return '#' def Insert(self, char): # write code here self.s += char if char not in self.count: self.count[char] = 1 else: self.count[char] += 1 |
微信公众号
分享技术,乐享生活:微信公众号搜索「JackCui-AI」关注一个在互联网摸爬滚打的潜行者。
2019年9月3日 下午8:11 沙发
int count[256] = {0};
count[ch]++;
博主大大,请问这个也是哈希表吗,int count[256] = {0};这个不是数组初始化吗 不是很懂哈希表到底怎么定义呀,之前还看到过map
2019年9月4日 下午7:46 1层
@yyx 额,我这里有问题。。python的是,C++使用数组统计的,可以改为字典的。
2020年7月16日 上午11:26 板凳
你这个return ‘#’;有问题吧,如果没有出现,那么输出应该是’’
2020年7月16日 下午4:26 1层
@打不死的黄妖精 这个是规定的,输出#。