来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/permutation-in-string/
题目
给你两个字符串 s1 和 s2 ,写一个函数来判断 s2 是否包含 s1 的排列。
换句话说,s1 的排列之一是 s2 的 子串 。
示例 1:
输入:s1 = "ab" s2 = "eidbaooo"
输出:true
解释:s2 包含 s1 的排列之一 ("ba").
示例 2:
输入:s1= "ab" s2 = "eidboaoo"
输出:false
提示:
- 1 <= s1.length, s2.length <= 104
- s1 和 s2 仅包含小写字母
思路
借鉴leecode官方的思路,我们使用滑动窗口来解决。
定义两个26个元素长度的数组,来记录字符串出现的每一个字符的个数。
当两个数字元素值都相等时,我们就可以认为一个字符串包含了另外一个。
代码
public boolean checkInclusion(String s1, String s2) {
int n = s1.length();
int m = s2.length();
if (n > m) {
return false;
}
int[] cnt1 = new int[26];
int[] cnt2 = new int[26];
for (int i = 0; i < n; i++) {
++cnt1[s1.charAt(i) - 'a'];
++cnt2[s2.charAt(i) - 'a'];
}
// 当前两个字符相等时,这直接返回true
if (Arrays.equals(cnt1, cnt2)) {
return true;
}
for (int i = n; i < m; i++) {
// 开始滑动窗口,每前进一位,则尾部去掉一位
++cnt2[s2.charAt(i) - 'a'];
--cnt2[s2.charAt(i - n) - 'a'];
// 每次滑动完成后,判断是否相等,相等则符合题意,直接返回true
if (Arrays.equals(cnt1, cnt2)) {
return true;
}
}
// 运行到这里,则表示没有符合条件的字串,返回false
return false;
}
网友评论