为什么使用 fgets() 而不是 gets() 时行为不同

Why the behaviour differs when fgets() is used instead gets()

根据 gcc 警告:

the `gets' function is dangerous and should not be used

我尝试使用 fgets() 但它在我的代码中不起作用,因为您可能会在下面的代码末尾看到两者的输出。有人可以告诉我我在做什么错误(如果有的话)吗?

#include<stdio.h>
#include<stdlib.h>
#include<string.h>

#define size 128

int Table[size];

/****ShiftTable Function Declaration****/
void ShiftTable(char Pattern[]);

/****Horspool Function Declaration****/
int Horspool(char Pattern[],char Text[]);

/****Main Function****/
int main()
   {
    char Text[100],Pattern[100];
    int pos;

    printf("Enter the Text : ");
    gets(Text);                    //Works fine
    //fgets(Text,100,stdin);       //Does not work

    printf("\nEnter the Pattern: ");
    gets(Pattern);                 //Works fine
    //fgets(Pattern,100,stdin);    //Does not Work

    pos=Horspool(Pattern,Text);

    if(pos==-1)
            printf("\nPattern Not Found!\n\n");
    else
        printf("\nPattern Found at %d position.\n\n",pos+1);        

    return 0;
   }

/****Horspool Function Definition****/
int Horspool(char Pattern[],char Text[])
   {
    int m,n,i,k;

    n=strlen(Text);
    m=strlen(Pattern);

    ShiftTable(Pattern);

    i=m-1;

    while(i<n)
         {
        k=0;
        while(k<m && (Text[i-k]==Pattern[m-1-k]))  k++;

        if(k==m)   return i-m+1;

        i+=Table[Text[i]];
         }

    return -1;
    }

/****ShifTable Function Definition****/
void ShiftTable(char Pattern[])
    {
    int i,m;
    m=strlen(Pattern);

    for(i=0;i<size;i++)
        Table[i]=m;

    for(i=0;i<m-1;i++)
        Table[Pattern[i]]=m-1-i;
    }

输出:

当我使用gets()

majid@majid-K53SC:~ $ ./a.out

Enter the Text : BANGALORE IS GARDEN CITY

Enter the Pattern: GARDEN

Pattern Found at 14 position.

当我使用fgets()

majid@majid-K53SC:~ $ ./a.out

Enter the Text : BANGALORE IS GARDEN CITY

Enter the Pattern: GARDEN

Pattern Not Found!

fgets 消耗换行符(输入字符串后按 Enter)并将其存储在 Textgets 不会.您需要从 Text.

strip the newline character off

因此,在两次调用 gets

之后
Text = "BANGALORE IS GARDEN CITY"
Pattern = "GARDEN"

fgets 的情况下,

Text = "BANGALORE IS GARDEN CITY\n"
Pattern = "GARDEN\n"

首先感谢您的关注。切换到 fegts().

非常正确

现在,回答你的问题,

Why the behaviour differs when fgets() is used instead gets()?

这不是什么奇怪的行为。这是 fgets().

的预期行为

gets() 不同,fgets() 读取并存储 尾部 newline 到提供的输入缓冲区中。在继续进行比较之前,您需要去掉换行符。

没有它,基本上,您的输入看起来像:

Text    --> "BANGALORE IS GARDEN CITY\n"
Pattern --> "GARDEN\n"

现在,正如我们所知,"GARDEN ""GARDEN\n" 相同,因此您的比较失败。

也就是说,只是一个建议,main()推荐的签名是int main(void)