c语言输入一行字符,分别统计出其中的大写英文字母、小写英文字母、空格、数字和其他字符的个数
时间: 2023-12-14 21:03:00 浏览: 114
这段代码是一个C语言程序,可以输入一行字符并统计其中的大写英文字母、小写英文字母、空格、数字和其他字符的个数。具体实现方法如下:
1. 定义四个整型变量letters、space、digit、others,分别表示字母、空格、数字和其他字符的个数。
2. 使用getchar()函数逐个读取输入的字符,直到读取到回车符为止。
3. 对于每个读取到的字符,使用if语句进行判断,如果是大写字母或小写字母,则将letters加1;如果是空格,则将space加1;如果是数字,则将digit加1;否则将others加1。
4. 最后使用printf()函数输出四种类型的输入内容的个数。
下面是代码实现:
```
#include <stdio.h>
int main()
{
char c;
int letters = 0, space = 0, digit = 0, others = 0;
printf("请输入一行字符:\n");
while ((c = getchar()) != '\n')
{
if (c >= 'a' && c <= 'z' || c >= 'A' && c <= 'Z')
letters++;
else if (c == ' ')
space++;
else if (c >= '0' && c <= '9')
digit++;
else
others++;
}
printf("大写字母:%d\n", letters);
printf("小写字母:%d\n", letters);
printf("空格:%d\n", space);
printf("数字:%d\n", digit);
printf("其他字符:%d\n", others);
return 0;
}
```
阅读全文