编写C语言程序,从键盘上任意输入一字符串,统计输出该字符串中的字母字符、数字字符、空格数减一以及其他字符的个数
时间: 2024-02-09 14:08:25 浏览: 64
可以使用一个字符数组来存储用户输入的字符串,然后遍历数组中的每个字符,统计字母字符、数字字符、空格以及其他字符的个数,并计算空格数减一的个数。下面是一个示例程序:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int letters = 0, digits = 0, spaces = 0, others = 0;
printf("Please enter a string: ");
fgets(str, 100, stdin);
for (int 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("The string contains:\n");
printf("%d letters\n", letters);
printf("%d digits\n", digits);
printf("%d spaces\n", spaces - 1);
printf("%d other characters\n", others);
return 0;
}
```
用户输入一个字符串后,程序会统计其中字母字符、数字字符、空格以及其他字符的个数,并计算空格数减一的个数,并输出结果。注意,我们使用了 `<ctype.h>` 库中的 `isalpha()`、`isdigit()` 和 `isspace()` 函数来判断字符的类型。
阅读全文