算法题之查找第一个只出现一次的字符

#include<iostream>
#include<assert.h>
using namespace std;
/*
 *	思路:
 *		1、从头取一个字符,然后和“其他所有的字符”(不包括自身)进行比较
 *		2、若不存在与其相同的字符---->其即为所求
 *		   否则:取下一个字符,重复上述步骤
 */			

//时间复杂度:O(N^2)--->使用指针
char first_not_repeat_char(const char *str){
	assert(NULL != str);
	const char *cur = str;//待比较的字符
	while (*cur != '\0'){
		const char *tmp = str;//每次和本身之外的所有字符进行比较(从头开始)
		int flag = 0;
		while (*tmp != '\0'){
			if (tmp != cur && *tmp == *cur){//存在和当前字符相同的字符
				flag = 1;
				break;
			}
			else{
				++tmp;
			}
		}
		if (flag == 0){
			return *cur;
		}
		else{
			++cur;
		}
	}
	return '\0';
}
//时间复杂度:O(N^2)--->使用下标
char first_not_repeat_char2(char *str){
	if (str == NULL){
		return '\0';
	}
	int len = strlen(str);
	for (int i = 0; i < len; ++i){
		int flag = 0;
		for (int j = 0; j < len; ++j){
			if (i != j && str[i] == str[j]){
				flag = 1;
				break;
			}
		}
		if (flag == 0){
			return str[i];
		}
	}
	return '\0';
}
//时间复杂度:O(n) 空间复杂度:O(1) 
/*
 *
 *	思路:
 *		以 key=ASCII val=字符出现的次数 建立hash_table
 *		1:遍历字符串,从中统计各个字符出现的次数
 *		2:从头遍历字符串,获取字符出现的次数,如果==1,该字符即为所求
 */
char FirstNotRepeatChar(const char *str){
	if (str == NULL){
		return '\0';
	}
	int hashTable[256];
	memset(hashTable, 0, sizeof(hashTable));

	int len = strlen(str);
	//遍历一遍字符串,统计每个字符出现的次数
	for (int i = 0; i < len; ++i){
		++hashTable[toascii(str[i])];
	}
	//从头遍历字符串,查看该字符出现的次数
	for (int j = 0; j < len; ++j){
		if (hashTable[toascii(str[j])] == 1){
			return str[j];
		}
	}
	return '\0';
}
int main()
{
	char *str = "aabbccdc";
	cout << FirstNotRepeatChar(str) << endl;
	system("pause");
	return 0;
}

    原文作者:查找算法
    原文地址: https://blog.csdn.net/ZongYinHu/article/details/51254830
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞