用c语言编写5. 输入一行字符,分别统计出其中的英文字母、空格、数字和其他字符的个数。
时间: 2024-06-13 22:06:25 浏览: 86
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
可以使用C语言中的字符数组和循环语句来实现输入一行字符并统计其中的英文字母、空格、数字和其他字符的个数。具体实现如下:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, letter, space, digit, other;
letter = space = digit = other = 0;
printf("请输入一行字符:\n");
fgets(str, 100, stdin);
for (i = 0; str[i] != '\0'; i++) {
if (isalpha(str[i])) {
letter++;
} else if (isspace(str[i])) {
space++;
} else if (isdigit(str[i])) {
digit++;
} else {
other++;
}
}
printf("其中英文字母个数为:%d\n", letter);
printf("其中空格个数为:%d\n", space);
printf("其中数字个数为:%d\n", digit);
printf("其中其他字符个数为:%d\n", other);
return 0;
}
```
在上述代码中,我们首先定义了一个字符数组`str`,用于存储输入的一行字符。然后定义了四个变量`letter`、`space`、`digit`和`other`,分别用于统计英文字母、空格、数字和其他字符的个数,初始值都为0。接着使用`fgets()`函数从标准输入中读取一行字符,并将其存储到字符数组`str`中。最后使用循环语句遍历字符数组`str`中的每个字符,根据其类型分别对应地将对应的变量加1。最后输出统计结果即可。
阅读全文