算法的重要性,我就不多说了吧,想去大厂,就必须要经过基础知识和业务逻辑面试+算法面试。所以,为了提高大家的算法能力,这个公众号后续每天带大家做一道算法题,题目就从LeetCode上面选 !
今天和大家聊的问题叫做 字符串中的第一个唯一字符,我们先来看题面:​https://leetcode-cn.com/problems/lexicographical-numbers/​

Given a string s, find the first non-repeating character in it and return its index. If it does not exist, return -1.

给定一个字符串,找到它的第一个不重复的字符,并返回它的索引。如果不存在,则返回 -1。

示例

s = "leetcode"
返回 0
s = "loveleetcode"
返回 2


解题

主要思路:先统计字符串中,每个字符出现的次数。然后依次遍历找到第一个次数为1的字符。


class Solution {
public:
int firstUniqChar(string s) {
map<char, int> m;
for(int i = 0; i < s.length(); i ++){
m[s[i]] ++;
}
for(int i = 0; i < s.length(); i ++) {
if(m[s[i]] == 1) return i;
}
return -1;
}
};


好了,今天的文章就到这里,如果觉得有所收获, 

 ​

​LeetCode刷题实战387:字符串中的第一个唯一字符_字典序