标签:字符
在一个字符串中找到第一个只出现一次的字符。
如输入”abaccdeff”,输出’b’
解析:
使用一个数组,记录每个字符出现的次数,最后遍历计数数组,第一个个数为 1 的即为结果。
由于字符char,只有8 bit, 只有255种可能,因此只需声明一个255大小的数组。
遍历一次字符串,遍历2次计数数组:时间复杂度O(n)
空间占用255*int = 512 Byte,是一个固定大小:空间复杂度O(1)
当需要统计某个或某些字符是否出现或出现在字符串中的次数时,可以通过数组实现一个简易的hash表。
用很小的空间换来时间效率的提升。
#include <iostream>
using namespace std;
char FirstNotRepeatChar(string s) {
int size = s.size();
if (size == 0)
return ‘\0‘;
const int M = 255; // 表大小,char :1 Byte,0~255
unsigned int* count = new int [M];
for (int i = 0; i < M; i++)
count[i] = 0;
for (int j = 0; j < size; j++)
count[s[j]-‘\0‘]++;
char result;
for (int i = 0; i < M; i++) {
if (count[i] == 1) {
result = i+‘\0‘;
break;
}
}
delete count;
return result;
}
int main() {
string s = "abaccdeff";
cout << FirstNotRepeatChar(s) << endl;
}
版权声明:本文为博主原创文章,未经博主允许不得转载。
标签:字符
原文地址:http://blog.csdn.net/quzhongxin/article/details/47113551