请从字符串中找出一个最长的不包含重复字符的子字符串,计算该最长子字符串的长度。
示例 1:
输入: “abcabcbb”
输出: 3
解释: 因为无重复字符的最长子串是 “abc”,所以其长度为 3。
示例 2:
输入: “bbbbb”
输出: 1
解释: 因为无重复字符的最长子串是 “b”,所以其长度为 1。
示例 3:
输入: “pwwkew”
输出: 3
解释: 因为无重复字符的最长子串是 “wke”,所以其长度为 3。
请注意,你的答案必须是 子串 的长度,“pwke” 是一个子序列,不是子串。
提示:
s.length <= 40000
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/zui-chang-bu-han-zhong-fu-zi-fu-de-zi-zi-fu-chuan-lcof
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
//太垃圾了,速度很慢。方法就是用队列做滑动窗口。
class Solution {
public int lengthOfLongestSubstring(String s) {
// 子串:原序列中必须连续的一段
// 子序列:原序列中可以不连续的一段
if(s.equals("")) return 0;
if(s.equals(" ")) return 1;
String [] arr = s.split("");
Deque<String> deque = new LinkedList<>();
// List<Integer> res = new ArrayList<>();
int res = 1;
// res.add(1);
deque.addLast(arr[0]);
int count = 1;
for(int i = 1; i < arr.length;i++){
//添加之前看看里面是否包含这个元素,包含了就去除直到不包含。
while(deque.contains(arr[i])){
deque.removeFirst();
count--;
}
deque.addLast(arr[i]);
count++;
// res.add(count);
res = Math.max(count , res);
}
// Collections.sort(res);
// if(res.size() != 0){
// int a = res.get(res.size() - 1).intValue();
// return a;
// }
return res;
// return 0;
// Set<Character> set = new HashSet<>();
// int left = 0, right = 0, res = 0;
// while(right < s.length()){
// char c = s.charAt(right++);
// //存在重复的字符,则移动左指针,直到滑动窗口中不含有该字符
// while(set.contains(c)){
// set.remove(s.charAt(left++));
// }
// set.add(c);
// res = Math.max(res, right-left);
// }
// return res;
}
}