题目描述
给定一个字符串 s ,请你找出其中不含有重复字符的 最长子串 的长度。
解答
一、滑动窗口
思路
- 滑窗的基本思路,先扩大并不断更新结果,不符合情况收缩
class Solution {
public int lengthOfLongestSubstring(String s) {
if(s == ""){
return 0;
}
int len = s.length();
Set<Character> window = new HashSet<>();
int res = 0;
int left = 0;
int right = 0;
while(right < len){
Character ch = s.charAt(right);
if(!window.contains(ch)){
window.add(ch);
right++;
res = Math.max(res,right-left);
continue;
}
while(window.contains(ch) && left <= right){
window.remove(s.charAt(left));
left++;
}
}
return res;
}
}
|