1. 程式人生 > 其它 >leetcode3 無重複字元的最長字串

leetcode3 無重複字元的最長字串

給定一個字串 s ,請你找出其中不含有重複字元的 最長子串 的長度。
示例1:

輸入: s = "abcabcbb"
輸出: 3
解釋: 因為無重複字元的最長子串是 "abc",所以其長度為 3。
示例 2:

輸入: s = "bbbbb"
輸出: 1
解釋: 因為無重複字元的最長子串是 "b",所以其長度為 1。
示例 3:

輸入: s = "pwwkew"
輸出: 3
解釋: 因為無重複字元的最長子串是"wke",所以其長度為 3。
請注意,你的答案必須是 子串 的長度,"pwke"是一個子序列,不是子串。
示例 4:

輸入: s = ""
輸出: 0

提示:

0 <= s.length <= 5 * 104
s由英文字母、數字、符號和空格組成

連結:https://leetcode-cn.com/problems/longest-substring-without-repeating-characters

public int lengthOfLongestSubstring(String s) {
        if(s==null||s.length()==0)
            return 0;
        int max=0;
        HashSet<Character> set=new HashSet<>();
        for(int i=0;i<s.length();i++)
        {
            int count=0;
            for(int cur=i;cur<s.length();cur++)
            {
                if(set.contains(s.charAt(cur)))
                {
                    set.clear();
                    break;
                }else
                {
                    set.add(s.charAt(cur));
                    count++;
                }
                max=max>count?max:count;
            }
        }
        return max;
    }