描述
给定一个字符串,请你找出其中不含有重复字符的 最长子串 的长度。
示例 1:
输入: “abcabcbb”
输出: 3
解释: 因为无重复字符的最长子串是 “abc”,所以其长度为 3。
示例 2:
输入: “bbbbb”
输出: 1
解释: 因为无重复字符的最长子串是 “b”,所以其长度为 1。
示例 3:
输入: “pwwkew”
输出: 3
解释: 因为无重复字符的最长子串是 “wke”,所以其长度为 3。
请注意,你的答案必须是 子串 的长度,“pwke” 是一个子序列,不是子串。
Python
https://leetcode-cn.com/problems/longest-substring-without-repeating-characters/solution/
官方题解中的滑动窗口的优化,使用dict与索引进行查重,复杂度O(n)
class Solution:
def lengthOfLongestSubstring(self, s):
"""
:type s: str
:rtype: int
"""
start = 0
maxlength = 0
usedChar = {}
for i in range(len(s)):
if s[i] in usedChar and start <= usedChar[s[i]]:
start = usedChar[s[i]] + 1
else:
maxlength = max(maxlength,i - start + 1)
usedChar[s[i]] = i
return maxlength
Java
class Solution {
public int lengthOfLongestSubstring(String s) {
int start = 0,maxlength = 0;
Map<Character,Integer> map = new HashMap<>();
for(int i=0;i<s.length();i++){
if(map.containsKey(s.charAt(i)) && start<=map.get(s.charAt(i))){
start = map.get(s.charAt(i)) + 1;
}
else{
maxlength = Math.max(maxlength,i-start+1);
}
map.put(s.charAt(i),i);
}
return maxlength;
}
}