KMP算法
KMP算法的经典思想就是:当出现字符串不匹配的时候,可以记录一部分之前已经匹配的文本内容,利用这些信息避免从头再去做匹配
前缀表
next数组就是一个前缀表
前缀表是用来回退的,它记录了模式串与主串不匹配的时候,模式串应该从哪里开始重新匹配
前缀表的任务是当前位置匹配失败,找到之前已经匹配上的位置,再重新匹配。前缀表用来记录下标i之前的字符串中,有多大长度的相同前缀后缀
使用next数组来匹配
1.初始化
2.处理前后缀不相同的情况
3.处理前后缀相同的情况
28. 找出字符串中第一个匹配项的下标 - 力扣(LeetCode)
1.KMP算法:使用原本的next数组实现KMP算法,每次出现异常不匹配的情况,找到给数的前一个next状态,并将下标跳转到那边进行二次重新匹配
class Solution {
public:
void getNext(int* next, const string& s) {
int j = 0;
next[0] = 0;
for(int i = 1; i < s.size(); i++) {
while(j > 0 && s[i] != s[j]) {
j = next[j - 1];
}
if(s[i] == s[j]) {
j++;
}
next[i] = j;
}
}
int strStr(string haystack, string needle) {
if(needle.size() == 0) {
return 0;
}
int next[needle.size()];
getNext(next, needle);
int j = 0;
for(int i = 0; i < haystack.size(); i++) {
while(j > 0 && haystack[i] != needle[j]) {
j = next[j - 1];
}
if(haystack[i] == needle[j]) {
j++;
}
if(j == needle.size()) {
return (i - needle.size() + 1);
}
}
return -1;
}
};
2.暴力匹配:让字符串needle与字符串haystack的所有长度为m的字串均匹配一次
class Solution {
public:
int strStr(string haystack, string needle) {
int n = haystack.size(), m = needle.size();
for(int i = 0; i + m <= n; i++) {
bool flag = true;
for(int j = 0; j < m; j++) {
if(haystack[i + j] != needle[j]) {
flag = false;
break;
}
}
if(flag) {
return i;
}
}
return -1;
}
};
?
1.KMP算法:最长相等前后缀不包含的字串就是最小重复字串,数组长度减去最长相同前后缀的长度相当于是第一个周期的长度,也就是一个周期的长度,如果这个周期可以被整除,就说明整个数组是这个周期的循环
class Solution {
public:
void getNext(int* next, const string& s) {
next[0] = 0;
int j = 0;
for(int i = 1; i < s.size(); i++) {
while(j > 0 && s[i] != s[j]) {
j = next[j - 1];
}
if(s[i] == s[j]) {
j++;
}
next[i] = j;
}
}
bool repeatedSubstringPattern(string s) {
if(s.size() == 0) {
return false;
}
int next[s.size()];
getNext(next, s);
int len = s.size();
if(next[len - 1] != 0 && len % (len - next[len - 1]) == 0) {
return true;
}
return false;
}
};
2.移动匹配:判断s中是否由重复子串组成,只要两个s拼接再一起,里面还出现一个s的化,就说明是由重复子串组成。要刨除s+s的首尾字符
class Solution {
public:
bool repeatedSubstringPattern(string s) {
string t = s + s;
t.erase(t.begin());
t.erase(t.end() - 1);
if(t.find(s) != std :: string :: npos) return true;
return false;
}
};
?
1.模拟匹配:两个字符串按位匹配,如果出现不同的,判断前后是否相同,相同就后进,如果不相同就分两种情况:如果第一位就不相同,直接返回false,如果不是第一位就不相同,就移动多个重复项进行比较。最后记得处理没有匹配完的情况
class Solution {
public:
bool isLongPressedName(string name, string typed) {
int i = 0;
int j = 0;
while(i < name.size() && j < typed.size()) {
if(name[i] == typed[j]) {
j++;
i++;
} else {
if(j == 0) return false;
// 跨越重复的
while(j < typed.size() && typed[j] == typed[j - 1]) j++;
if(name[i] == typed[j]) {
j++;
i++;
} else {
return false;
}
}
}
if(i < name.size()) return false;
while(j < typed.size()) {
if(typed[j] == typed[j - 1]) j++;
else return false;
}
return true;
}
};
加油 !好想回家