3. 无重复字符的最长子串

题目:https://leetcode-cn.com/problems/longest-substring-without-repeating-characters/

代码:

public class Solution {
    public int lengthOfLongestSubstring(String s) {
        int n = s.length(), ans = 0;
        Map<Character, Integer> map = new HashMap<>();
        for (int j = 0, i = 0; j < n; j++) {
            if (map.containsKey(s.charAt(j))) {
                i = Math.max(map.get(s.charAt(j)), i);
            }
            ans = Math.max(ans, j - i + 1);
            map.put(s.charAt(j), j + 1);
        }
        return ans;
    }
}

思路:求无重复字符的最长子串,我一开始的想法是暴力遍历方法,直接遍历所有的字串,并判断字串中是否包含重复字符。但是在提交的时候会超时。上述代码是官方题解的答案。

首先使用i和j作为字符串的左右两个索引,i到j之间的字符串保证是没有重复的字符串。j从0开始遍历字符串s,这里使用了一个map来记录每个遍历过得字符在字符串中出现的位置(1开始),并且用来判断i-j之前的子串是否已经包含当前的字符串,如果包含,则将i向右移动到重复的字符串。

最终i跟j之间的距离就是最终答案。需要更详细的解释可以访问:https://leetcode-cn.com/problems/two-sum/solution/wu-zhong-fu-zi-fu-de-zui-chang-zi-chuan-by-leetcod/ 查看官方题解。


觉得内容还不错?打赏个钢镚鼓励鼓励!!👍