请从字符串中找出一个最长的不包含重复字符的子字符串,计算该最长子字符串的长度。
示例 1:
输入: "abcabcbb"
输出: 3
解释: 因为无重复字符的最长子串是 "abc",所以其长度为 3。
示例 2:
输入: "bbbbb"
输出: 1
解释: 因为无重复字符的最长子串是 "b",所以其长度为 1。
示例 3:
输入: "pwwkew"
输出: 3
解释: 因为无重复字符的最长子串是 "wke",所以其长度为 3。
请注意,你的答案必须是 子串 的长度,"pwke" 是一个子序列,不是子串。
提示:
s.length <= 40000
“滑动窗口 + 哈希表”。
定义一个哈希表记录当前窗口内出现的字符,i、j 分别表示不重复子串的结束位置和开始位置,res 表示无重复字符子串的最大长度。
遍历 i,若 [j, i - 1]
窗口内存在 s[i]
,则 j 循环向右移动,更新哈希表,直至 [j, i - 1]
窗口不存在 s[i]
,循环结束。将 s[i]
加入哈希表中,此时 [j, i]
窗口内不含重复元素,更新 res 的最大值:res = max(res, i - j + 1)
。
最后返回 res 即可。
class Solution:
def lengthOfLongestSubstring(self, s: str) -> int:
i = j = res = 0
chars = set()
while i < len(s):
while s[i] in chars:
if s[j] in chars:
chars.remove(s[j])
j += 1
chars.add(s[i])
res = max(res, i - j + 1)
i += 1
return res
class Solution {
public int lengthOfLongestSubstring(String s) {
int res = 0;
Set<Character> set = new HashSet<>();
for (int i = 0, j = 0; i < s.length(); ++i) {
char c = s.charAt(i);
while (set.contains(c)) {
set.remove(s.charAt(j++));
}
set.add(c);
res = Math.max(res, i - j + 1);
}
return res;
}
}
class Solution {
public:
int lengthOfLongestSubstring(string s) {
int res = 0;
unordered_set<char> chars;
for (int i = 0, j = 0; i < s.size(); ++i)
{
while (chars.count(s[i]))
{
chars.erase(s[j++]);
}
chars.insert(s[i]);
res = max(res, i - j + 1);
}
return res;
}
};
func lengthOfLongestSubstring(s string) int {
chars := make(map[byte]bool)
res := 0
for i, j := 0, 0; i < len(s); i++ {
for chars[s[i]] {
chars[s[j]] = false
j++
}
chars[s[i]] = true
res = max(res, i-j+1)
}
return res
}
func max(a, b int) int {
if a > b {
return a
}
return b
}
/**
* @param {string} s
* @return {number}
*/
var lengthOfLongestSubstring = function(s) {
let res = 0;
let chars = new Set();
for (let i = 0, j = 0; i < s.length; ++i) {
while (chars.has(s[i])) {
chars.delete(s[j++]);
}
chars.add(s[i]);
res = Math.max(res, i - j + 1);
}
return res;
};