c语言设计程序输入一行字符,分别统计其中英文字母,空格,数字和其他字符个数
时间: 2023-10-05 12:09:51 浏览: 151
以下是一个简单的 C 语言程序,用于输入一行字符并统计其中英文字母,空格,数字和其他字符个数:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char line[100];
int letters = 0, spaces = 0, digits = 0, others = 0;
printf("Please enter a line of characters: ");
fgets(line, sizeof(line), stdin);
for (int i = 0; line[i] != '\0'; ++i) {
if (isalpha(line[i])) {
++letters;
} else if (isspace(line[i])) {
++spaces;
} else if (isdigit(line[i])) {
++digits;
} else {
++others;
}
}
printf("Letters: %d\n", letters);
printf("Spaces: %d\n", spaces);
printf("Digits: %d\n", digits);
printf("Others: %d\n", others);
return 0;
}
```
该程序首先定义了一个 char 类型的数组 `line`,用于存储输入的一行字符。接着定义了四个整型变量 `letters`、`spaces`、`digits` 和 `others`,分别用于统计英文字母、空格、数字和其他字符的个数。
程序通过调用 `fgets()` 函数从标准输入读取一行字符,并存储到 `line` 数组中。接着使用一个 for 循环遍历 `line` 数组中的每个字符,通过调用 `isalpha()`、`isspace()` 和 `isdigit()` 函数判断该字符是否为英文字母、空格或数字,并分别对应地增加相应的计数器。
最后,程序输出各个计数器的值。
阅读全文