我有这个功课问题:编写一个C程序,在使用函数重复删除子串foo的出现之后找到新的字符串,方法是将'foo'的每次出现重复替换为'oof'。
这是我的代码:
#include <stdio.h>
#include <string.h>
void manipulate(char * a)
{
int i, flag = 0;
char newstr[100];
for (i = 0; a[i] != '\0'; i++) {
if (a[i] == 'f') {
if ((a[i + 1] != '\0') && (a[i + 1] == 'o')) {
if ((a[i + 2] != '\0') && (a[i + 2] == 'o')) {
i += 3;
flag++;
}
}
}
newstr[i] = a[i];
}
for (i = 0; i < flag; i++) {
strcat(newstr, "oof");
}
printf("\nThe output string is %s", newstr);
}
int main()
{
char a[100];
printf("Enter the input string");
scanf("%s",a);
manipulate(a);
return 0;
}
我觉得我的代码有问题,因为预期的输出是:
Enter the input string
akhfoooo
The output string is akhoooof
但我的实际输出是:
Enter the input string
akhfoooo
The output string is akhoof
您能否解决我的代码中的错误?
答案 0 :(得分:2)
更改此
scanf("%c",a);
到这个
scanf("%s",a);
因为你想读一个字符串,而不是一个字符。
编辑您的编辑(参见评论):
#include <stdio.h>
#include <string.h>
void manipulate(char * a)
{
int i = 0;
char *pch;
size_t len = strlen(a);
while(a[i]) // until we do not reach the null terminator
{
// so that we do not go after the end of the string
if(i + 2 == len)
break;
// if we found 'foo'
if(a[i] == 'f' && a[i + 1] == 'o' && a[i + 2])
{
// replace it with 'oof'
a[i] = 'o';a[i + 1] = 'o'; a[i + 2] = 'f';
i = i + 2; // and check for after the replacement we just made
}
// increment our counter to check the next charachter
i = i + 1;
}
printf("\nThe output string is %s\n", a);
}
int main()
{
char a[100];
printf("Enter the input string");
scanf("%s",a);
manipulate(a);
return 0;
}
如果你想使用一个函数,strstr()会很好。
答案 1 :(得分:1)
这样可以正常工作。 留意边境条件以及何时退出。
#include <stdio.h>
#include <string.h>
void manipulate(char * a)
{
int i = 0;
char *pch;
size_t len = strlen(a);
while(a[i]) // until we do not reach the null terminator
{
// if we found 'foo'
if(a[i] == 'f' && a[i + 1] == 'o' && a[i + 2]=='o')
{
// replace it with 'oof'
a[i] = 'o';a[i + 1] = 'o'; a[i + 2] = 'f';
if ( i+3 == len){
break;
}
else{
i = i + 2; // and check for after the replacement we just made
continue;
}
}
else
{
i = i+1;
}
}
printf("\n\n\nThe output string is %s \n", a);
}
int main()
{
char a[100];
printf("Enter the input string \n");
scanf("%s",a);
manipulate(a);
return 0;
}