LintCode 594: strStr II (Rabin Karp算法)

版权声明:本文为博主原创文章,未经博主允许不得转载。 https://blog.csdn.net/roufoo/article/details/82955646

Solution是基于Rabin Karp算法,参考了九章的内容。
Rabin Karp算法用hash function来算出source 和 target的hash code来比较,从而将时间复杂度从O(n^2)降到O(n)。
该算法的关键在于计算source的hash code的过程中,采用循环移位来计算。
例如,
source = “abcde”, target = “cd”.

计算source的hash code的过程中,依次计算每2位(因为target长度为2)的hash code值。
hashcode(cd) = (hashcode(bc + d) - hashcode(b)*2 ) % BASE

如果hashcode值为负,则 hashcode += BASE.

class Solution {
public:
    /*
     * @param source: A source string
     * @param target: A target string
     * @return: An integer as index
     */
    int strStr2(const char* source, const char* target) {
        if (!source || !target) return -1;
        if (strlen(source) == 0 && strlen(target) == 0) return 0;
        if (strlen(source) && !strlen(target)) return 0;
        
        int lenS = strlen(source);
        int lenT = strlen(target);
        int BASE = 1e+6;
        
        if (lenS < lenT) return -1;
        
        int power31_lenT= 1;   // 31^lenT
        for (int i = 0; i < lenT; ++i) {
            power31_lenT = (power31_lenT * 31) % BASE;
        }
        
        int hashTgt = 0;
        for (int i = 0; i < lenT; ++i) {
            hashTgt = (hashTgt * 31 + target[i]) % BASE;
        }
        
        int hashSrc = 0;
        for (int i = 0; i < lenS; ++i) {
            
            hashSrc = (hashSrc * 31 + source[i]) % BASE;
            if (i < lenT) continue;
            
            // abcd - a
            hashSrc -= (source[i - lenT] * power31_lenT) % BASE;
            if (hashSrc < 0) 
                hashSrc += BASE;
            
            if (hashSrc == hashTgt) {
                for (int j = 0; j < lenT; ++j) {
                    if (source[i - lenT  + 1 + j] != target[j]) return -1;
                }
                return i - lenT + 1;
            }
        }
        
        return -1;
    }
};

猜你喜欢

转载自blog.csdn.net/roufoo/article/details/82955646