用C语言编写:输入一行字符,分别统计其中的英文字母、空格、数字和其它字符个数
时间: 2023-09-03 14:12:57 浏览: 93
可以使用C语言的字符数组和循环语句来解决这个问题,具体代码如下:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, letters=0, spaces=0, digits=0, others=0;
printf("请输入一行字符:");
fgets(str, sizeof(str), stdin); // 从标准输入读取一行字符
for (i = 0; str[i] != '\0'; i++) {
if (isalpha(str[i])) { // 判断字符是否为英文字母
letters++;
}
else if (isspace(str[i])) { // 判断字符是否为空格
spaces++;
}
else if (isdigit(str[i])) { // 判断字符是否为数字
digits++;
}
else { // 其它字符
others++;
}
}
printf("字母个数:%d\n", letters);
printf("空格个数:%d\n", spaces);
printf("数字个数:%d\n", digits);
printf("其它字符个数:%d\n", others);
return 0;
}
```
运行程序后,可以输入一行字符进行测试,程序会输出统计结果。
阅读全文