Search code examples
cfgets

I don't understand the behavior of fgets in this example


While I could use strings, I would like to understand why this small example I'm working on behaves in this way, and how can I fix it ?

int ReadInput() {
    char buffer [5];
    printf("Number: ");
    fgets(buffer,5,stdin);
    return atoi(buffer);
}

void RunClient() {
    int number;
    int i = 5;
    while (i != 0) {
        number = ReadInput();
        printf("Number is: %d\n",number);
        i--;
    }
}

This should, in theory or at least in my head, let me read 5 numbers from input (albeit overwriting them).

However this is not the case, it reads 0, no matter what.

I understand printf puts a \0 null terminator ... but I still think I should be able to either read the first number, not just have it by default 0. And I don't understand why the rest of the numbers are OK (not all 0).

CLARIFICATION: I can only read 4/5 numbers, first is always 0.

EDIT:

I've tested and it seems that this was causing the problem:

main.cpp

scanf("%s",&cmd);
    if (strcmp(cmd, "client") == 0 || strcmp(cmd, "Client") == 0)
        RunClient();

somehow.

EDIT:

Here is the code if someone wishes to compile. I still don't know how to fix

http://pastebin.com/8t8j63vj

FINAL EDIT:

Could not get rid of the error. Decided to simply add @ReadInput

int ReadInput(BOOL check) {
    ...
    if (check) 
       printf ("Number: ");
    ...

@ RunClient()

void RunClient() {
    ...
    ReadInput(FALSE); // a pseudo - buffer flush. Not really but I ignore 
    while (...) {                    // line with garbage data
        number = ReadInput(TRUE);
        ...
    }

And call it a day.


Solution

  • fgets reads the input as well as the newline character. So when you input a number, it's like: 123\n.

    atoi doesn't report errors when the conversion fails.

    Remove the newline character from the buffer:

    buf[5];
    size_t length = strlen(buffer);
    buffer[length - 1]=0;
    

    Then use strtol to convert the string into number which provides better error detection when the conversion fails.