给定一个字符串,请你找出其中不含有重复字符的 最长子串 的长度。
示例 1:
输入: "abcabcbb"
输出: 3
解释: 因为无重复字符的最长子串是 "abc",所以其长度为 3。
示例 2:
输入: "bbbbb"
输出: 1
解释: 因为无重复字符的最长子串是 "b",所以其长度为 1。
示例 3:
输入: "pwwkew"
输出: 3
解释: 因为无重复字符的最长子串是 "wke",所以其长度为 3。
请注意,你的答案必须是 子串 的长度,"pwke" 是一个子序列,不是子串。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/longest-substring-without-repeating-characters
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
思路:分治法
1 public class Solution { 2 char[] str; 3 private int helper(int low, int high){ 4 if (low >= high) 5 return 0; 6 if (low+1 == high) 7 return 1; 8 int mid = (low+high)/2; 9 int left = helper(low, mid); 10 int right = helper(mid, high); 11 HashSet<Character> set = new HashSet<>(); 12 int i = mid-1, j = mid; 13 while (i >= 0 && j < str.length) { 14 if (str[i] == str[j]) 15 break; 16 if (!set.add(str[i])) 17 break; 18 if (!set.add(str[j])) 19 break; 20 --i; 21 ++j; 22 } 23 while (i>=0 && set.add(str[i--])); 24 while (j < str.length && set.add(str[j++])); 25 return Math.max(Math.max(left, right), set.size()); 26 } 27 public int lengthOfLongestSubstring(String s) { 28 str=s.toCharArray(); 29 return helper(0, s.length()); 30 } 31 32 public static void main(String[] args) { 33 int abcabcbb = new Solution().lengthOfLongestSubstring("aba"); 34 System.out.println("abcabcbb = " + abcabcbb); 35 } 36 }