給定一個字符串,請你找出其中不含有重複字符的 最長子串 的長度。java
示例 1:code
輸入: "abcabcbb"
輸出: 3
解釋: 由於無重複字符的最長子串是 "abc",因此其長度爲 3。rem
示例 2:字符串
輸入: "bbbbb"
輸出: 1
解釋: 由於無重複字符的最長子串是 "b",因此其長度爲 1。get
示例 3:class
輸入: "pwwkew"
輸出: 3
解釋: 由於無重複字符的最長子串是 "wke",因此其長度爲 3。循環
請注意,你的答案必須是 子串 的長度,"pwke" 是一個子序列,不是子串。遍歷
使用滑動窗口思路. 已知子串長度爲n, 窗口開始位置爲i=0, 結束位置爲j=0,使用一個集合存儲字符元素, 循環字符串(j++), 當集合中存在字符時說明出現了重複子串, 此時的非重複串長度爲j-i, 同時開始位置移動(i++);map
僅須要作一次遍歷, 時間複雜度爲O(n).static
使用HashMap.
public static int lengthOfLongestSubString(String s) { if (s == null || s.length() == 0) { return 0; } int rs =0; int left = 0; HashMap<Character,Integer> map = new HashMap<>(); for (int i = 0; i < s.length(); i++) { if (map.containsKey(s.charAt(i))){ left = Math.max(left,map.get(s.charAt(i))+1); } map.put(s.charAt(i),i); rs = Math.max(rs,i+1-left); } return rs; }
使用HashSet
public static int lengthOfLongestSubStringSet(String s) { if (s == null || s.length() == 0) { return 0; } int rs = 0, i = 0, j = 0; int length = s.length(); HashSet<Character> set = new HashSet<>(); while (i < length && j < length) { if (!set.contains(s.charAt(j))){ set.add(s.charAt(j)); j++; rs = Math.max(rs,j-i); }else{ set.remove(s.charAt(i)); i++; } } System.out.println(set); return rs; }