題目原題:
給定一個字串 s ,請你找出其中不含有重複字元的 最長子串 的長度。
示例 1:
輸入: s = "abcabcbb"
輸出: 3
解釋: 因為無重複字元的最長子串是 "abc",所以其長度為 3。
示例 2:
輸入: s = "bbbbb"
輸出: 1
解釋: 因為無重複字元的最長子串是 "b",所以其長度為 1。
示例 3:
輸入: s = "pwwkew"
輸出: 3
解釋: 因為無重複字元的最長子串是 "wke",所以其長度為 3。
請注意,你的答案必須是 子串 的長度,"pwke" 是一個子序列,不是子串。
提示:
0 <= s.length <= 5 * 104
s 由英文字母、數字、符號和空格組成
來源:力扣(LeetCode)
連結:https://leetcode-cn.com/problems/longest-substring-without-repeating-characters
方法一:
public static int lengthOfLongestSubstring(String s) {
Map<Character,Integer> map = new HashMap<Character, Integer>();
int j=-1;
int max =0;
for (int i = 0; i < s.length(); i++) {
//如果出現重複元素
if(map.containsKey(s.charAt(i))) {
//如果這次的起始位置<上一次的起始位置則不取
j=Math.max(j, map.get(s.charAt(i)));
}
map.put(s.charAt(i), i);
max=Math.max(max, i-j);
}
return max;
}
方法二:
public int lengthOfLongestSubstring(String s) {
char[] ss = s.toCharArray();
Set<Character> set = new HashSet<Character>();
int j=0;
int max =0;
for (int i = 0; i < s.length(); i++) {
//如果出現重複元素了 那就一直把j指標往後挪動直到去掉為止
if(set.contains(ss[i])) {
set.remove(ss[j]);
j++;
i--;
continue;
}
set.add(ss[i]);
max=Math.max(max, i-j+1);
}
return max;
}