49.8k views
1 vote
Write a program to read a character until a * is encountered. also count thenumber of uppercase, lowercase and numbers entered by the user. When i enter * it still will not quit. Please help

#include

int main()
{
char ch;
int upper=0;
int lower=0;
int digits=0;

while (ch!='*')

{
printf("\\Enter any character, or * to quit :");
scanf("%c",&ch);
ch=getchar();

if (ch>='a'&& ch<='z')

lower++;

if (ch>='A'&&ch<='Z')

upper++;

if (ch>=0)

digits++;

}

printf("\\Output:");

printf("\\Total count of lowercase characters entered = %d",lower);

printf("\\Total count of uppercase characters entered = %d",upper);

printf("\\Total count of digits entered = %d",digits);


return 0;
}

User DJIDave
by
7.4k points

1 Answer

5 votes

Final answer:

The given C program for counting characters needs corrections in the scanf function and digit counting logic.

The updated code provides a working solution that properly counts uppercase, lowercase, and digit characters, and terminates when '*' is entered.

Step-by-step explanation:

The C programming have an issue where they need to write a program that reads characters until a '*' character is encountered.

The program should also count the number of uppercase letters, lowercase letters, and digits entered by the user. However, the program provided by the student does not quit when '*' is entered.

There are several issues with the current code:

  • The initial reading of ch does not ignore the newline character left by the previous scanf function call. This can be fixed by modifying the scanf call.
  • The condition to count digits is incorrect as it would count any character as a digit because it is simply checking if (ch >= 0).

Here is the corrected version of the student's code:

#include
int main() {
char ch;
int upper = 0;
int lower = 0;
int digits = 0;
while (1) {
printf("\\Enter any character, or * to quit: ");
scanf(" %c", &ch);

if (ch == '*')
break;

if (ch >= 'a' && ch <= 'z')
lower++;
else if (ch >= 'A' && ch <= 'Z')
upper++;
else if (ch >= '0' && ch <= '9')
digits++;
}
printf("\\Total count of lowercase characters entered = %d", lower);
printf("\\Total count of uppercase characters entered = %d", upper);
printf("\\Total count of digits entered = %d", digits);
return 0;
}

The updated code includes a space before the %c in scanf to skip any white space, including the newline, and checks for the digit range explicitly. The while loop now uses an infinite loop and breaks out of it if the '*' character is encountered.

User Carlee
by
7.8k points