输入2个字符串S1和S2,要求删除字符串S1中出现的所有子串S2,即结果字符串中不能包含S2。
https://pintia.cn/problem-sets/14/problems/809
详解:https://www.cnblogs.com/andywenzhi/p/5738558.html
#include<stdio.h>
int main ()
{
char s1[81], s2[81];
gets(s1);
gets(s2);
int i = 0, j = 0, count = 0;
while (s1[i] != NULL) {
if (s2[count]==NULL && count>0) {
j = i - count;
while (s1[i] != NULL) {
s1[j++] = s1[i++];
}
s1[j] = NULL;
i = 0;
count = 0;
continue;
}
if (s1[i] == s2[count]) {
count ++;
} else if (s1[i] == s2[0]) {
count = 1; // 每一次不再匹配后,都要再和子串的第一个字符比较,以免漏过如s1为ccat (s2为 cat)的情况
} else {
count = 0;
}
i++;
}
if (s2[count]==NULL && count>0) {
s1[i-count] = NULL;
} //处理要删除的字串在 s1 末尾的情况
puts(s1); //puts 函数遇 NULL 才会结束
return 0;
}
当前位置比较分为了几种情况
①:S1中有S2且判断到S2末尾,S1后面的子串前移注意S1末尾要置为NULL,S1、S2比较的位置置为0,重新从头比较且continue。
②:比较时相等,j++
③:比较时不相等,则这个位置与S2第一个字符进行比较以免漏过如s1为ccat (s2为 cat)的情况 ,如果相等则 i 为1,否则 i 为0。