Why this example is stuck in an infinite loop in C? [duplicate]

匿名 (未验证) 提交于 2019-12-03 01:12:01

问题:

This question already has an answer here:

In the example below, if I enter a character in Mac OS X terminal, the program will get stuck in an infinite loop, printing Please enter a number: line after line and never allowing the user to input anything. What's wrong with this code? What is the fix? I want to change the code in a way that if a number is not entered, the user is prompted with an error message and asked to enter a number again.

#include   int main(int argc, const char * argv[]) {      int number = 0, isnumber;     getagin: printf("Please enter a number:\n");     isnumber = scanf("%i", &number);     if(isnumber) {         printf("You enterd a number and it was %i\n", number);     } else {         printf("You did not eneter a number.\n");         goto getagin;     }      return 0; } 

Edit: I edited the code after reading the suggestions, and fixed the infinite loop problem. This is not a bad fix for the infinite loop problem, and with a simple for loop I tell C to search for any none numeric character. The code below won't allow inputs like 123abc.

#include  #include  #include   int main(int argc, const char * argv[]) {      char line[10];     int loop, arrayLength, number, nan;     arrayLength = sizeof(line) / sizeof(char);     do {         nan = 0;         printf("Please enter a number:\n");         fgets(line, arrayLength, stdin);         for(loop = 0; loop 

回答1:

The reason that you are getting infinite loop on entering a non-digit is the non-digit character left in the buffer as it is not read by the scanf for the next read of scanf (as it doesn't matches the format specifier). on next iteration scanf again finds this character and do not read it and exit immediately. This happens repeatedly and you are getting an infinite loop. Place a while(getchar() != '\n'); statement to consume this character.

Try this

#include   int main(int argc, const char * argv[]) {      int number = 0, isnumber;     getagin: printf("Please enter a number:\n");     isnumber = scanf("%i", &number);     if(isnumber) {         printf("You enterd a number and it was %i\n", number);     } else {         printf("You did not eneter a number.\n");         while(getchar() != '\n'); // T consume all non-digits         goto getagin;     }      return 0; } 


标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!