用C语言编程实现,输入一行字符,分别统计出其中英文字母,空格,数字和其它字符的个数。编程实现,输入一行字符,分别统计出其中英文字母,空格,数字和其它字符的个数。
时间: 2023-05-10 17:55:49 浏览: 215
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
好的,这是一个很常见的编程问题,以下是一个简单的 C 语言代码实现:
```
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, letters, spaces, digits, others;
letters = spaces = digits = others = 0;
printf("请输入一行字符:\n");
gets(str);
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("输入的字符串中包含:\n");
printf("%d 个字母\n", letters);
printf("%d 个空格\n", spaces);
printf("%d 个数字\n", digits);
printf("%d 个其他字符\n", others);
return 0;
}
```
这个程序会提示用户输入一行字符,然后使用 for 循环遍历字符串中的每个字符,使用 isalpha、isspace 和 isdigit 函数判断字符的类型,最后统计出每种类型的字符的个数并输出。
阅读全文