从键盘输入一行字符串,统计其中的 字母 空格、数字、和其他字符的个数。
时间: 2024-12-17 22:18:04 浏览: 3
汇编语言统计从键盘输入一段字母
5星 · 资源好评率100%
要统计从键盘输入的一行字符串中的字母、空格、数字以及其他字符的个数,你可以使用C语言的`ctype.h`库中的函数来检查每个字符的类别。以下是一个简单的程序实现:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char input[100];
int alpha_count = 0, space_count = 0, digit_count = 0, other_count = 0;
printf("Enter a line of text: ");
fgets(input, sizeof(input), stdin); // read input from keyboard
for (int i = 0; input[i] != '\0'; i++) { // iterate through the string
if (isalpha(input[i])) { // check if character is an alphabet (a-z or A-Z)
alpha_count++;
} else if (isspace(input[i])) { // check if character is whitespace
space_count++;
} else if (isdigit(input[i])) { // check if character is a digit (0-9)
digit_count++;
} else { // all other characters (like punctuation, symbols)
other_count++;
}
}
printf("Alpha count: %d\n", alpha_count);
printf("Space count: %d\n", space_count);
printf("Digit count: %d\n", digit_count);
printf("Other count: %d\n", other_count);
return 0;
}
```
在这个程序中,我们首先定义了一个数组来存储用户的输入。然后遍历字符串中的每一个字符,用`isalpha()`判断是否为字母,用`isspace()`判断是否为空格,用`isdigit()`判断是否为数字。如果都不是,就增加其他字符的计数。
运行这个程序后,根据用户输入的内容,它会分别显示字母、空格、数字和其它字符的数量。
阅读全文