用C语言来实行:输入一行字符,分别统计出其中英文字母,空格,数字和其他字符的个数
时间: 2023-11-07 11:59:40 浏览: 96
```
#include <stdio.h>
int main() {
char str[100];
int letter = 0, space = 0, digit = 0, other = 0;
printf("Please enter a string: ");
fgets(str, 100, stdin);
for (int i = 0; str[i] != '\0'; i++) {
if ((str[i] >= 'a' && str[i] <= 'z') || (str[i] >= 'A' && str[i] <= 'Z')) {
letter++;
} else if (str[i] == ' ') {
space++;
} else if (str[i] >= '0' && str[i] <= '9') {
digit++;
} else {
other++;
}
}
printf("The number of letters: %d\n", letter);
printf("The number of spaces: %d\n", space);
printf("The number of digits: %d\n", digit);
printf("The number of other characters: %d\n", other);
return 0;
}
```
其中,使用fgets()函数可以输入含有空格的字符串。使用for循环遍历整个字符串,通过字符的ASCII码判断其是否为英文字母、空格、数字或其他字符,并分别累加计数。最后输出各项计数结果。
阅读全文