Every day a Leetcode
题目来源:2842. 统计一个字符串的 k 子序列美丽值最大的数目
解法1:哈希 + 数学
提示:
统计每个字符出现次数的个数,然后从大到小遍历次数 c 及其个数 num。
所有方案数相乘即为答案。
如果 k 太大(循环中没有出现 num≥k),那么不存在合法子序列,返回 0。
代码:
/*
* @lc app=leetcode.cn id=2842 lang=cpp
*
* [2842] 统计一个字符串的 k 子序列美丽值最大的数目
*/
// @lc code=start
class Solution
{
private:
const int MOD = 1e9 + 7;
public:
int countKSubsequencesWithMaxBeauty(string s, int k)
{
vector<int> cnt(26, 0);
for (char &c : s)
cnt[c - 'a']++;
// STL map 会自动按键从小到大排序
map<int, int> cc;
for (int &c : cnt)
if (c)
cc[-c]++;
long long ans = 1;
for (auto &[c, num] : cc)
{
if (num >= k)
return ans * pow(-c, k) % MOD * comb(num, k) % MOD;
ans = ans * pow(-c, num) % MOD;
k -= num;
}
return 0;
}
// 辅函数 - 快速幂
long long pow(long long x, int n)
{
long long res = 1;
for (; n; n /= 2)
{
if (n % 2)
res = res * x % MOD;
x = x * x % MOD;
}
return res;
}
// 辅函数 - 求组合数 C(n,k)
long long comb(long long n, int k)
{
long long res = n;
for (int i = 2; i <= k; i++)
{
n--;
// n, n-1, n-2,... 中的前 i 个数至少有一个因子 i
res = res * n / i;
}
return res % MOD;
}
};
// @lc code=end
结果:
复杂度分析:
时间复杂度:O(n),其中 n 为字符串 s 的长度。
空间复杂度:O(∣Σ∣)。其中 ∣Σ∣ 为字符集合的大小,本题中字符均为小写字母,所以 ∣Σ∣=26。