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

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

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/longest-substring-without-repeating-characters

解法 滑动窗口

分析

滑动窗口很容易理解,本题再结合HashMap,用来存储字符和下标,定义一个left变量来记录滑动窗口的左边,如果遇到重复的字符,就移动左边窗口,直到没有重复字符,记录无重复字符串长度。

代码

  1. class Solution {
  2. public int lengthOfLongestSubstring(String s) {
  3. Map<Character, Integer> map = new HashMap<>();
  4. int left = 0, max = 0;
  5. for(int i=0;i<s.length();i++){
  6. if(map.containsKey(s.charAt(i))){
  7. left = Math.max(left,map.get(s.charAt(i))+1);
  8. }
  9. map.put(s.charAt(i),i);
  10. max = Math.max(max, i-left+1);
  11. }
  12. return max;
  13. }
  14. }