题目描述
在一个字符串(0<=字符串长度<=10000,全部由字母组成)中找到第一个只出现一次的字符,并返回它的位置, 如果没有则返回 -1(需要区分大小写)
AC C++ Solution:
class Solution {
public:
int FirstNotRepeatingChar(string str) {
int n = str.length();
if(n < 1)
return -1;
int res = -1;
int cnt[100] = {0};
for(int i = 0; i < n; i++)
cnt[str[i] - 'A']++;
for(int i = 0; i < n; i++) {
if( cnt[str[i]-'A'] == 1) {
res = i;
break;
}
}
return res;
}
};