567. 字符串的排列
给你两个字符串 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 仅包含小写字母
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/permutation-in-string。
- 先将s1字符串中每个字符出现的次数存下来,再每次在s2中遍历相同长度的字符串,比较每个字符出现的次数。
class Solution {
public:
bool checkInclusion(string s1, string s2) {
std::vector<int> ch1_counts(26);
for (auto &ch : s1) {
ch1_counts[ch - 'a']++;
}
int length = s1.size();
if (length > s2.size()) {
return false;
}
std::vector<int> ch2_counts(26);
int left = 0;
int right = 0;
for (right = 0; right < length; ++right) {
ch2_counts[s2[right] - 'a']++;
}
if (ch1_counts == ch2_counts) {
return true;
}
for (right; right < s2.size(); ++right) {
ch2_counts[s2[left++] - 'a']--;
ch2_counts[s2[right] - 'a']++;
if (ch1_counts == ch2_counts) {
return true;
}
}
return false;
}
};
- 优化, 可将ch2_counts省略掉:每次都只有一个字符的变化,没必要将两个完整的数组进行比较。s1可以使用–,s2使用++,sum == 0则表示找到字符串;每一个字符变化的时候,只需要统计这一个字符变化时sum的值变换情况即可。