天池 在线编程 最频繁出现的子串(字符串哈希)

2021-02-19 15:03:48 浏览数 (1)

1. 题目

给定一个字符串,我们想知道满足以下两个条件的子串最多出现了多少次:

子串的长度在之间 [minLength, maxLength] 子串的字符种类不超过 maxUnique 写一个函数 getMaxOccurrences ,其返回满足条件的子串最多出现次数

代码语言:javascript复制
输入: 
s = "abcde"
minLength = 2
maxLength = 5
maxUnique = 3
输出: 1
说明:符合条件的子串有 `ab, bc, cd, de, abc, bcd, cde` 。
每一个子串只出现了一次,因此答案是 1。

2. 解题

代码语言:javascript复制
class Solution {
public:
    /**
     * @param s: string s
     * @param minLength: min length for the substring
     * @param maxLength: max length for the substring
     * @param maxUnique: max unique letter allowed in the substring
     * @return: the max occurrences of substring
     */
	int maxcount = 0;
	vector<long long> pow;
    int getMaxOccurrences(string &s, int minLength, int maxLength, int maxUnique) {
        // write your code here
        pow.resize(27);
        pow[0] = 1;
        for(int i = 1; i <= 26; i  ) 
        {
        	pow[i] = pow[i-1]*26;//预处理 26 的幂次方
        }
    	for(int len = minLength; len <= maxLength; len  ) 
    	{	// 暴力枚举子串长度
    		help(s, len, maxUnique);
    	}
    	return maxcount;
    }
    void help(string &s, int len, int maxUnique) 
    {
    	unordered_map<long long, int> count;//字符串哈希值,字符串个数
    	unordered_map<char, int> m;//滑窗内的字符计数
    	int i = 0;
    	long long hash = 0;
    	for( ; i < len-1; i  )
    	{
    		m[s[i]]  ;
    		hash = hash*26 s[i]-'a';
    	}
    	for(int j = 0 ; i < s.size();   i)
    	{
    		m[s[i]]  ;
    		hash = hash*26 s[i]-'a';
    		if(m.size() <= maxUnique && i-j 1 == len)
    		{	// 窗口内子串字符种类满足,长度达到 len
    			if(  count[hash] > maxcount)
    				maxcount = count[hash];
    		}

    		while(i-j 1 > len || m.size() > maxUnique)
    		{	// 长度超了,或者 字符种类超了
    			hash -= pow[i-j]*(s[j]-'a');//最前面的字符哈希值减去
    			if(--m[s[j]] == 0)//计数 -1
    				m.erase(s[j]);
    			j  ;
    		}
    	}
    }
};

12ms C

同题:LeetCode 1297. 子串的最大出现次数


0 人点赞