无重复字符的最长子串

给定一个字符串 s ,请你找出其中不含有重复字符的 最长子串 的长度。

示例 1:

1
2
3
输入: s = "abcabcbb"
输出: 3
解释: 因为无重复字符的最长子串是 "abc",所以其长度为 3。

示例 2:

1
2
3
输入: s = "bbbbb"
输出: 1
解释: 因为无重复字符的最长子串是 "b",所以其长度为 1。

示例 3:

1
2
3
4
输入: s = "pwwkew"
输出: 3
解释: 因为无重复字符的最长子串是 "wke",所以其长度为 3。
请注意,你的答案必须是 子串 的长度,"pwke" 是一个子序列,不是子串。

提示:

  • 0 <= s.length <= 5 * 104
  • s 由英文字母、数字、符号和空格组成

满足某某条件的最长/最短/的子串/子序列。看到这几个关键字就要考虑滑动窗口。

设置左右两指针,每次将右指针的元素加入窗口时先判断该元素是否出现过,所以需要用到哈希表。如果未出现,窗口长度加一。

否则,left++,直到窗口中无重复元素。

1
2
3
4
5
6
7
8
9
10
11
12
13
14
class Solution {
public:
int lengthOfLongestSubstring(string s) {
int n=s.size();
int ans=0;
unordered_map<char,int> hash;
for(int left=0,right=0;right<n;right++){
while(hash.find(s[right])!=hash.end()) hash.erase(s[left++]);
hash[s[right]]=right;
ans=max(ans,right-left+1);
}
return ans;
}
};

2025.1.6更新java版本,现在c++代码已经看不懂了

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
class Solution {
public int lengthOfLongestSubstring(String s) {
int res = 0;
int[] hash = new int[128];
for(int left=0,right=0;right<s.length();right++){
hash[s.charAt(right)]++;
while(hash[s.charAt(right)]>1){
hash[s.charAt(left)]--;
left++;
}
res=Math.max(res,right-left+1);
}
return res;
}
}

1
2
3
4
5
6
7
8
9
10
11
12
13
14
class Solution {
public int lengthOfLongestSubstring(String s) {
int res = 0;
Set<Character> set = new HashSet<>();
for(int left=0,right=0;right<s.length();right++){
while(set.contains(s.charAt(right))){
set.remove(s.charAt(left++));
}
set.add(s.charAt(right));
res=Math.max(res,right-left+1);
}
return res;
}
}

1
2
3
4
5
6
7
8
9
10
11
12
13
14
class Solution {
public int lengthOfLongestSubstring(String s) {
int res = 0;
boolean[] hash = new boolean[128];
for(int right=0,left=0;right<s.length();right++){
while(hash[s.charAt(right)]){
hash[s.charAt(left++)]=false;
}
hash[s.charAt(right)] = true;
res = Math.max(res,right-left+1);
}
return res;
}
}