Trouble with inputs using a while loop

72 Views Asked by At
int towerh;
do{
    printf ("give me an integer between 1 and 23 and I will make a tower");
    int towerh = GetInt();
}while (towerh < 1 || towerh > 23);

I'm trying to make this code block loop as long as towerh is not between 1 and 23. I keep getting errors saying that the variable needs to be initialized.

I'm sure this is a small thing but I have no clue how to assess or correct it in C.

2

There are 2 best solutions below

0
On

Code has 2 towerh;. The first one is never set

int towerh;  // 1st, never initialized nor assigned.
do{
    printf ("give me an integer between 1 and 23 and I will make a tower");
    int towerh = GetInt(); // 2nd, not the same object as the outer towerh

//      v----v        v----v  Uses the 1st towerh
}while (towerh < 1 || towerh > 23);

Instead only use 1.

int towerh;  // One and only towerh
do{
    printf ("give me an integer between 1 and 23 and I will make a tower");
    // int towerh = GetInt();
    towerh = GetInt();
}while (towerh < 1 || towerh > 23);
3
On

Just change int towerh; to int towerh = 0;. That's called initializing a variable, and usually C compilers hate when you miss it.

Also, you create towerh again and again in your loop, and I would suggest scanf over the not-mentioned GetInt, so you can end with:

int towerh = 0;
do {
    printf("Give me an integer between 1 and 23 and I will make a tower: ");
    scanf("%d", &towerh);
} while (towerh < 1 || towerh > 23);