问题描述:
在一个字符串(0<=字符串长度<=10000,全部由字母组成)中找到第一个只出现一次的字符,并返回它的位置, 如果没有则返回 -1(需要区分大小写).
源码:
用一个256的数组存储字符出现的次数,因为字符只有256个。
class Solution {
public:
int FirstNotRepeatingChar(string str) {
int map[256]={0}, nlength=str.length();
for(auto c:str) map[c]++;
for(int i=0; i<nlength; i++) if(map[str[i]]==1) return i;
return -1;
}
};
附加题:
请实现一个函数用来找出字符流中第一个只出现一次的字符。例如,当从字符流中只读出前两个字符"go"时,第一个只出现一次的字符是"g"。当从该字符流中读出前六个字符“google"时,第一个只出现一次的字符是"l"。
思路与上一题一样。
class Solution
{
public:
//Insert one char from stringstream
int hash[256]={0};
string s;
void Insert(char ch)
{
hash[ch]++;
s += ch;
}
//return the first appearence once char in current stringstream
char FirstAppearingOnce()
{
int nlength = s.size();
for(int i=0; i<nlength; i++) if(hash[s[i]]==1) return s[i];
return '#';
}
};