日常记录——leetcode- 无重复字符的最长子串

题目:
给定一个字符串,请你找出其中不含有重复字符的 最长子串 的长度。
示例 1:
输入: “abcabcbb”
输出: 3
解释: 因为无重复字符的最长子串是 “abc”,所以其长度为 3。
示例 2:
输入: “bbbbb”
输出: 1
解释: 因为无重复字符的最长子串是 “b”,所以其长度为 1。
示例 3:
输入: “pwwkew”
输出: 3
解释: 因为无重复字符的最长子串是 “wke”,所以其长度为 3。
请注意,你的答案必须是 子串 的长度,“pwke” 是一个子序列,不是子串。
解答代码:

public static int maxLength(String s){
		//定义最大长度
        int maxLength = 0;
        //存放不重复字符
        HashMap hashMap = new HashMap();
        for (int i = 0; i < s.length(); i++) {
        	//截取子串
            String temp = s.substring(i);
            int j = 0;
            //遍历子串 如果遍历字符在不在hashMap中则添加进去 
            while (j<temp.length() && !hashMap.containsKey(temp.charAt(j))){
                hashMap.put(temp.charAt(j),j);
                j++;
            }
            //不重复最大长度则为 hashMap 长度 
            maxLength = maxLength>hashMap.size()?maxLength:hashMap.size();
            hashMap.clear();
        }
        return maxLength;
    }

优化后:使用index移动添加不重复字符,替换截取字符串

  public int lengthOfLongestSubstring(String s) {
        int maxLength = 0 , length = s.length();
        HashSet set = new HashSet<>();
        int index = -1;
        for (int i = 0; i < length; i++) {
            if(i!=0){
                set.remove(s.charAt(i-1));
            }
            while (index<length-1 && !set.contains(s.charAt(index+1))){
                set.add(s.charAt(index+1));
                index++;
            }
            maxLength = maxLength>set.size()?maxLength:set.size();
        }
        return maxLength;
    }

效果图:
日常记录——leetcode- 无重复字符的最长子串_第1张图片

你可能感兴趣的:(LeetCode)