本题来自:力扣459.重复的子字符串
这时候肯定有同学会问了,连要比较的短串是什么都不知道,怎么用KMP呢?
还是和 KMP算法实现过程一样,我们需要一个 next 数组来记录目前的最长前后缀。
因此思路便是:
1,建立字符串 s 的 next 数组。
2,通过上述条件判断 true or false。
构造 next 数组的方法和 KMP算法完全一致,这里不再赘述
void getNext(int* next, int n,const string s) { if (n > 0) next[0] = 0; int left = 0; for (int right = 1; right < n; right++) { while (left != 0 && s[left] != s[right]) { left = next[left - 1]; } if (s[left] == s[right]) { left++; } next[right] = left; } }
由于需要判断的就只有字符串 s 末尾的最长前后缀,因此也很容易写出。
需要注意的一点是:在进行 true 和 false 的判断时,条件除了
n % (n - next[n - 1]) == 0 //条件一
以外,还应该有
next[n - 1] != 0 //条件二
这是因为,如果 next[n - 1] 值为 0,那么第一式就变成 n % n = 0 的恒等式了。
例如,字符串 abac 便只满足条件一,但它应该 return false。
判断部分代码如下:
bool repeatedSubstringPattern(string s) { if (s.size() == 0) return false; int n = s.size(); int next[n]; getNext(next, n, s); if (next[n - 1] != 0 && n % (n - next[n - 1]) == 0) return true; return false; }
class Solution { public: void getNext(int* next, int n,const string s) { if (n > 0) next[0] = 0; int left = 0; for (int right = 1; right < n; right++) { while (left != 0 && s[left] != s[right]) { left = next[left - 1]; } if (s[left] == s[right]) { left++; } next[right] = left; } } bool repeatedSubstringPattern(string s) { if (s.size() == 0) return false; int n = s.size(); int next[n]; getNext(next, n, s); if (next[n - 1] != 0 && n % (n - next[n - 1]) == 0) return true; return false; } };