关于C语言里的gets()问题,为什么名字输入被跳过?

请问那个gets()是哪里没用对吗?
2025-01-05 15:35:43
推荐回答(4个)
回答1:

  • C语言里的gets()函数功能是从输入缓存中读取多个字符,遇到回车符时,结束输入。

  • 当使用gets()函数之前有过数据输入,并且,操作者输入了回车确认,这个回车符没有被清理,被保存在输入缓存中时,gets()会读到这个字符,结束读字符操作。因此,从用户表面上看,gets()没有起作用,跳过了。

  • 解决办法:

    • 方法一、在gets()前加fflush(stdin); //强行清除缓存中的数据(windows下可行)

    • 方法二、根据程序代码,确定前面是否有输入语句,如果有,则增加一个getchar()命令,然后再调用 gets()命令。

    • 方法三、检查输入结果,如果得到的字符串是空串,则继续读入,如:

      • char str[100]={0};

      • do {

      •     gets(str);

      • } while( !str[0] );

回答2:

gets函数可能把stdin缓冲区里面的内容读到数组里面,所以会被跳过

回答3:

#include

char *gets(char *s);

Description

The gets function reads characters from the input stream pointed to by stdin,into the

array pointed to by s,until end-of-file is encountered or a new-line character is read.

Anynew-line character is discarded, and a null character is written immediately after the

last character read into the array.

Returns

The gets function returns s if successful. If end-of-file is encountered and no

characters have been read into the array,the contents of the array remain unchanged and a

null pointer is returned. If a read error occurs during the operation, the array contents are

indeterminate and a null pointer is returned.


以上是 C9899 的标准, 所以你的问题是输入的缓冲区中的回车符号造成的

解决的方法是: 

#include 
int main()
{
char name[20];
int m;
scanf("%d" , &m);    // 输入之后数字被赋值, 但是有回车符还留在输入缓冲区
fflush(stdin);    // 清除输入缓冲区, 或者用 getchar(); 但是是下策
printf("%d\n", m);
gets(name);
printf("%s", name);
return 0;
}

回答4:

在for循环之前加一个getchar();就应该可以解决你的问题