If the user enters characters that cannot be converted to a number, scanf("%d", &your_choice);
returns 0 and your_choice
is left unmodified, so it is uninitialized. The behavior is undefined.
You should test for this and skip the offending input this way:
if (scanf("%d", &your_choice) != 1) {
int c;
/* read and ignore the rest of the line */
while ((c = getchar()) != EOF && c != '
')
continue;
if (c == EOF) {
/* premature end of file */
return 1;
}
your_choice = -1;
}
Explanation:
scanf()
returns the number of successful conversions. If the user types a number, it is converted and stored into your_choice
and scanf()
returns 1, if the user enters something that is not a number, such as AA
, scanf()
leaves the offending input in the standard input buffer and returns 0, finally if the end of file is reached (the user types ^Z enter in windows or ^D in unix), scanf()
returns EOF
.
if the input was not converted to a number, we enter the body of the if
statement: input is consumed one byte at a time with getchar()
, until either the end of file or a linefeed is read.
if getchar()
returned EOF
, we have read the entire input stream, no need to prompt the user for more input, you might want to output an error message before returning an error code.
otherwise, set your_choice
to -1
, an invalid value so the read of the code complains and prompts for further input.
Reading and discarding the offending input is necessary: if you do not do that, the next input statement scanf(" %c", &ch);
would read the first character of the offending input instead of waiting for user input in response to the Would you like to play again? (Y/N)?:
prompt. This is the explanation for the behavior you observe.
与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…