使用c语言编程:输入一行字符,分别统计出其中英文字母、空格、数字和其他字符的个数。
时间: 2023-11-22 12:49:13 浏览: 78
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
以下是使用C语言编写的统计字符类型个数的程序:
```c
#include <stdio.h>
#include <ctype.h>
int main()
{
char str[100];
int i, letters, digits, spaces, others;
letters = digits = spaces = others = 0;
printf("请输入一行字符:\n");
fgets(str, sizeof(str), stdin);
for (i = 0; str[i] != '\0'; i++)
{
if (isalpha(str[i]))
letters++;
else if (isdigit(str[i]))
digits++;
else if (isspace(str[i]))
spaces++;
else
others++;
}
printf("字母个数:%d\n", letters);
printf("数字个数:%d\n", digits);
printf("空格个数:%d\n", spaces);
printf("其他字符个数:%d\n", others);
return 0;
}
```
该程序首先定义了一个字符数组`str`和四个整型变量`letters`、`digits`、`spaces`、`others`,分别用于统计字母、数字、空格和其他字符的个数。然后通过`fgets()`函数从标准输入中读取一行字符,并使用`for`循环遍历该字符串中的每个字符,根据字符的类型将相应的计数器加1。最后输出各个计数器的值即可。
阅读全文