用c语言中switch语句较简单地解决:输入一行字符,分别统计出其中英文字母、空格、数字和其他字符的个数。
时间: 2024-05-03 13:18:42 浏览: 138
可以使用C语言中的switch语句来实现对一个字符串中英文字母、空格、数字和其他字符的个数进行统计。代码如下:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, alpha, space, digit, other;
alpha = space = digit = other = 0;
printf("请输入一行字符串:\n");
fgets(str, 100, stdin);
for (i = 0; str[i] != '\0'; ++i) {
if (isalpha(str[i])) {
++alpha;
} else if (isspace(str[i])) {
++space;
} else if (isdigit(str[i])) {
++digit;
} else {
++other;
}
}
printf("字符串中英文字母的个数为:%d\n", alpha);
printf("字符串中空格的个数为:%d\n", space);
printf("字符串中数字的个数为:%d\n", digit);
printf("字符串中其他字符的个数为:%d\n", other);
return 0;
}
```
在上面的代码中,我们首先定义了四个变量alpha、space、digit和other,分别用于记录字符串中英文字母、空格、数字和其他字符的个数。然后我们使用fgets函数从标准输入中读入一行字符串,并使用for循环遍历字符串中的每一个字符。对于每一个字符,我们使用switch语句判断它属于哪一类字符,并相应地对相应的计数器进行加1操作。最后输出各种类型字符的个数即可。
阅读全文