Program doesn't execute gets() after scanf(), even using fflush(stdin)

后端 未结 5 1548
不思量自难忘°
不思量自难忘° 2020-12-01 22:54

After wasting too much time searching why my program doesn\'t execute gets() after using scanf(), I found a solution which is to use fflush(stdin) after scanf() to enable ge

相关标签:
5条回答
  • 2020-12-01 23:34

    Two big, major issues:

    1. DO NOT USE fflush ON INPUT STREAMS; the behavior of fflush on input streams is not defined. Just because it appears to work in this situation does not mean it is correct.

    2. NEVER NEVER NEVER NEVER NEVER NEVER NEVER use gets - it was deprecated in the C99 standard and has been removed completely from the C2011 standard. It will (not might, will) introduce a major point of failure in your code.

    It's never a good idea to follow a scanf call with a gets call, since gets won't skip over any leading newlines left in the input stream by scanf. Use scanf to read both nombre and mesaje.

    printf("Type your name:\n");
    scanf("%9s", nombre);
    
    printf("Now, type a message:\n");
    scanf("%79s", mensaje);
    

    It's a good idea to use an explicit length specifier in the scanf call for %s and %[, otherwise you introduce the same security hole that gets does.

    EDIT

    D'oh. I'm an idiot. If you're trying to read a string containing spaces, you can't use the %s conversion specifier. Use the %[ conversion specifier instead:

    scanf( "%79[^\n]", mensage );
    

    That will read up to the next 79 characters or the newline, whichever comes first, and leaves the newline in the input stream.

    0 讨论(0)
  • 2020-12-01 23:34
    while (fgetc(stdin) != '\n'); // seems to work
    
    0 讨论(0)
  • 2020-12-01 23:39

    If flushing std doesn't work, then try reading in the extra characters and discarding, as suggested here.

    This will work:

    #include <string.h>
    #include <stdio.h>
    
    int main(){
        char nombre[10];
        char mensaje[80];
        int c;
    
        printf("Type your name:\n");
        scanf("%9s", nombre);
    
        while((c= getchar()) != '\n' && c != EOF)
                /* discard */ ;
    
        printf("Now, type a message:\n");
        gets(mensaje);
    
        printf("%s:%s",nombre,mensaje);
        return 0;
    }
    
    0 讨论(0)
  • 2020-12-01 23:50

    Try gets(stdin); instead of

    fflush(stdin);
    
    0 讨论(0)
  • 2020-12-02 00:00

    Try this instead:

    scanf("%s\n", nombre);
    

    scanf stops at whitespace when reading a part. gets reads until the first new line. So what happens is scanf leaves behind a newline in the buffer, which gets immediately sees and thinks it was given a blank line.

    If you take your original code and enter "name message", two pieces all on one line, you can see this in action - gets will still immediately return, but it will see the second part.

    The \n in the scanf thing tells it to go ahead and consume that too.

    0 讨论(0)
提交回复
热议问题