C语言编写程序,输入一行字符,分别统计出其中的英文字母、空格、数字和其他字符的个数
时间: 2024-05-04 22:12:43 浏览: 121
num,c语言游泳源码,c语言程序
以下是一个简单的C语言程序,用于统计输入字符串中的英文字母、空格、数字和其他字符的个数:
```c
#include <stdio.h>
int main() {
char str[100];
int letter = 0, space = 0, digit = 0, other = 0;
printf("请输入一行字符:");
fgets(str, sizeof(str), stdin);
for (int i = 0; str[i] != '\0'; i++) {
if ((str[i] >= 'a' && str[i] <= 'z') || (str[i] >= 'A' && str[i] <= 'Z')) {
letter++;
} else if (str[i] == ' ') {
space++;
} else if (str[i] >= '0' && str[i] <= '9') {
digit++;
} else {
other++;
}
}
printf("英文字母个数:%d
", letter);
printf("空格个数:%d
", space);
printf("数字个数:%d
", digit);
printf("其他字符个数:%d
", other);
return 0;
}
```
这个程序首先定义了一个字符数组`str`用于存储输入的字符串,然后通过`fgets`函数从标准输入读取一行字符。接下来,使用一个`for`循环遍历字符串中的每个字符,并根据字符的类型更新相应的计数器。最后,输出各类字符的个数。
阅读全文