输入一行字符,分别统计出其中英文字母数字空格和其他字符的个数。
时间: 2024-06-15 20:09:17 浏览: 162
要实现统计字符的功能,可以使用循环遍历输入的字符串,然后判断每个字符的类型,并进行相应的计数。以下是一个示例代码:
```c
#include <stdio.h>
int main() {
char str[100];
int letters = 0, digits = 0, spaces = 0, others = 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')) {
letters++;
} else if (str[i] >= '0' && str[i] <= '9') {
digits++;
} else if (str[i] == ' ') {
spaces++;
} else {
others++;
}
}
printf("字母个数:%d\n", letters);
printf("数字个数:%d\n", digits);
printf("空格个数:%d\n", spaces);
printf("其他字符个数:%d\n", others);
return 0;
}
```
在上面的代码中,我们定义了四个变量`letters`、`digits`、`spaces`和`others`来分别记录字母、数字、空格和其他字符的个数。然后使用`fgets()`函数从标准输入中读取一行字符,并将其存储在字符数组`str`中。接下来,使用`for`循环遍历字符串中的每个字符,通过判断字符的范围来确定其类型,并进行相应的计数。最后,输出各个类型字符的个数。
阅读全文