dailiuyang123 / NoteBook

笔记本
2 stars 0 forks source link

LeetCode_SlidWindow滑动窗口 #7

Open dailiuyang123 opened 2 years ago

dailiuyang123 commented 2 years ago

滑动窗口 https://leetcode-cn.com/problems/longest-substring-without-repeating-characters/comments/

给定一个字符串 s ,请你找出其中不含有重复字符的 最长子串 的长度

 int[] last = new int[128];
        for (int i = 0; i < 128; i++) {
            last[i] = -1;
        }
        //
        int n = s.length();
        int res = 0;
        int start = 0; // 窗口开始位置
        for (int i = 0; i < n; i++) {
            int index = s.charAt(i);
            start = Math.max(start, last[index] + 1);
            res = Math.max(res, i - start + 1);
            last[index] = i;
        }
        return res;
    }
以这个字符串为例:abcabcbb,当i等于3时,也就是指向了第二个a, 此时我就需要查之前有没有出现过a, 如果出现了是在哪一个位置出现的。然后通过last[index] 查到等于1, 也就是说,如果start 依然等于0的话,那么当前窗口就有两个a了,也就是字符串重复了,所以我们需要移动当前窗口的start指针,移动到什么地方呢?移动到什么地方,窗口内就没有重复元素了呢? 对了,就是a上一次出现的位置的下一个位置,就是1 + 1 = 2。当start == 2, 当前窗口就没有了重复元素,那么以当前字符为结尾的最长无重复子串就是bca,然后再和之前的res取最大值。然后i指向后面的位置,按照同样思路计算。
dailiuyang123 commented 2 years ago
// 给你两个字符串s1和s2 ,写一个函数来判断 s2 是否包含 s1的排列。如果是,返回 true ;否则,返回 false 。
    //
    // 换句话说,s1 的排列之一是 s2 的 子串 。

    // 提示:
    // 1 <= s1.length, s2.length <= 104
    // s1 和 s2 仅包含小写字母

   // 滑动窗口法
    public static boolean checkInclusion2(String s1, String s2) {
        int n = s2.length();
        int[] dict = new int[26];
        int[] freq = new int[26];
        int size = 0;
        // 统计 字符串s1字符出现的频率,存储在 dict 数组内。
        for (char c : s1.toCharArray()) {
            if (dict[c - 'a'] == 0) {
                size++;
            }
            dict[c - 'a']++;
        }
        int match = 0;
        int left = 0, right = 0;
        while (right < n) {
            char rc = s2.charAt(right);
            freq[rc - 'a']++;
            if (freq[rc - 'a'] == dict[rc - 'a']) {
                match++;
            }
            while (size == match) {
                if (right - left + 1 == s1.length()) {
                    return true;
                }
                char lc = s2.charAt(left);
                // 消除s2字符串不匹配的字符
                freq[lc - 'a']--;
                if (freq[lc - 'a'] < dict[lc - 'a']) {
                    match--;
                }
                left++;
            }
            right++;
        }
        return false;
    }