Open dailiuyang123 opened 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;
}
滑动窗口 https://leetcode-cn.com/problems/longest-substring-without-repeating-characters/comments/
给定一个字符串 s ,请你找出其中不含有重复字符的 最长子串 的长度