class Solution {
public:
string reverseLeftWords(string s, int n) {
int _Size = s.size();
string front = s.substr(0,n);
string back = s.substr(n,_Size-n);
return back front;
}
};
28. 找出字符串中第一个匹配项的下标
暴力算法
代码语言:javascript复制
// 时间复杂度O(n²)
class Solution {
public:
int strStr(string haystack, string needle) {
int hs = haystack.size();
int ns = needle.size();
for(int i = 0; i < hs;i ){
int tmp = i;// 保存开始匹配i的位置
for(int j = 0;j < ns;j ){
if(haystack[i] != needle[j]){
i = tmp;// 将i重置回去
break;
}else{
if(j == ns-1)return tmp;// 相等并且已经到达结尾模式串结尾
i ;// 继续走
}
}
}
return -1;
}
};
KMP算法
KMP算法相关补充——【KMP】KMP算法的一些小理解&总结
这里仅给出代码实现,详见上述文章中。
代码语言:javascript复制
// 时间复杂度O(n)
class Solution {
public:
void getNext(int* next,const string s){
int n = s.size();
int j = 0;
next[0] = 0;
// i 为前缀末尾
// j 为后缀末尾
for(int i = 1; i < n ;i ){
while(j > 0 && s[i] != s[j]){// 控制回退,最多回退到开头,即j=0
j = next[j-1];
}
if(s[i] == s[j])j ;
next[i] = j;
}
}
int strStr(string haystack, string needle) {
int next[needle.size()];
// j负责遍历模式串
// i负责遍历文本串
getNext(next,needle);
int j = 0;
for(int i = 0;i < haystack.size();i ){
// 当前这个字符不同,通过移动j指针指向的模式串位置,来调整继续匹配的位置。
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;
}
};
459. 重复的子字符串
移动匹配
代码语言:javascript复制
// 时间复杂度 O(n),不确定
class Solution {
public:
bool repeatedSubstringPattern(string s) {
string t = s s;
// 掐头去尾
t.erase(t.begin());
t.erase(t.end()-1);// 注意end指向最后一个元素后
return t.find(s)!=string::npos?true:false;
}
};