题目描述
请实现一个函数用来找出字符流中第一个只出现一次的字符。例如,当从字符流中只读出前两个字符"go"时,第一个只出现一次的字符是"g"。当从该字符流中读出前六个字符“google"时,第一个只出现一次的字符是"l"。
输出描述:
如果当前字符流没有存在出现一次的字符,返回#字符。
思路:时间复杂度O(1),空间复杂度O(n)
1、用一个256大小的数组统计每个字符出现的次数
2、用一个队列,如果第一次遇到ch字符,则插入队列;其他情况不在插入
3、求解第一个出现的字符,判断队首元素是否只出现一次,如果是直接返回,否则删除继续第3步骤
代码实现
import java.util.LinkedList;
public class Solution {
private char[] charArray;
private LinkedList<Character> charList;
public Solution() {
charArray = new char[256];
charList = new LinkedList<Character>();
}
//Insert one char from stringstream
public void Insert(char ch)
{
charArray[ch - '\0']++; //统计ch出现次数
if(charArray[ch - '\0'] == 1) //判断出现次数是否为1,是则添加
charList.offer(ch);
}
//return the first appearence once char in current stringstream
public char FirstAppearingOnce()
{
//去除队列头部出现次数不为1的字符
while(!charList.isEmpty() && charArray[charList.peek() - '\0'] != 1)
charList.remove();
if(!charList.isEmpty())
return charList.peek();
else
return '#';
}
}
更多算法解答请点击
《剑指offer》66题JAVA代码算法实现全集 |