题目: https://leetcode.com/problems/longest-substring-without-repeating-characters/
概述 :找给定字符串中不重复的最长子集。
思路 : 用map来存储每个字母最后出现的位置。j来表示不出现重复字母的最后的位置。用当前的i - j + 1 就是求出不重复的子串的长度,如果能当前不重复的子串的长度大于以前求的最大值,就进行替换。要注意下面用的j = max(j, map[s[i]] + 1); 不可忽略,因为我们求j为最后不重复的下标的时候,也要考虑哪些j以前的map中的值,比如abba,算到最后一个a的时候 map[s[i]] + 1比j还小,但是它不是不重复子串的开始,所以不可取。
class Solution {
public:
int lengthOfLongestSubstring(string s) {
if(s.length() == 0) return 0;
map<char, int> map;
int maxLen = 0;
for(int i = 0, j = 0; i < s.length(); i++)
{
if(map.find(s[i]) != map.end())
{
j = max(j, map[s[i]] + 1);
}
map[s[i]] = i;
maxLen = max(maxLen, i - j + 1);
}
return maxLen;
}
};