press q for quit and enter for continue

199 Views Asked by At

I have a do-while loop, and I want if I press ENTER key, the progress will continue, but q will finish the program. It is not working as the program will end straight away and does not wait for the user to enter the key.

Code below is my main code.

void displayGrid() {
    bool progress = true;
    printf("%s", "input round for round mode, moves for move mode");
    scanf("%s", input);
    toLowerCase(input);
    if (strcmp(input, "round") == 0) {
        do {
            printf("Enter key ENTER to continue,Q for quit \n");
            bool qoc = quitOrContinue();
            if (qoc) {
            } else if (!qoc) {
                progress = false;
            }
        } while (progress);
    }
}

This is my code for checking enter and q key:

bool quitOrContinue() {
    if (kbhit()) {
        char click = fgetc(stdin);
        while (getchar() != '\n');
        if (click == 0x0A) {
            return true;
        } else if (click == 'q') {
            return false;
        }
    }
}
1

There are 1 best solutions below

3
On

You do not need three functions to read a char from stdin. Here's some psuedo-code to illustrate how to read one char. (I couldn't test it, so there may be some bugs in it).

#include <stdio.h>
#include <stdbool.h>
#include <stdlib.h>

static bool quitOrContinue(void)
{
    int click = fgetc(stdin);
    if (click == 0x0A) {
        return true;
    } else if (click == 'q') {
        return false;
    }
    /* Returns false in case of any other character */
    return false;
} 

int main(void) 
{
    bool condition = false;
    do {
        printf("Hello World\n");
        printf("Enter q to quit or ENTER to continue.\n");
        condition = quitOrContinue();
    } while (condition);

    return EXIT_SUCCESS;
}

You do not need the progress variable.

while (getchar() != '\n'); serves no purpose in your code, unless you're trying to flush stdin.

regarding:

printf("%s", "input round for round mode, moves for move mode");

You could use:

printf("input round for round mode, moves for move mode");

regarding:

scanf("%s", input);

What happens when one inputs more than size characters?

Limit length:

scanf("%6s", input);