用c语言编程输入一行字符,以回车结束。统计其中英文字母、数字字符和其他字符的个数。
时间: 2024-03-23 13:42:35 浏览: 66
好的,以下是用 C 语言编写的代码,可以实现输入一行字符并统计其中英文字母、数字字符和其他字符的个数:
```c
#include <stdio.h>
int main() {
char ch;
int letter = 0, digit = 0, other = 0;
printf("请输入一行字符,以回车结束:\n");
while ((ch = getchar()) != '\n') {
if ((ch >= 'a' && ch <= 'z') || (ch >= 'A' && ch <= 'Z'))
letter++;
else if (ch >= '0' && ch <= '9')
digit++;
else
other++;
}
printf("英文字母个数:%d\n", letter);
printf("数字字符个数:%d\n", digit);
printf("其他字符个数:%d\n", other);
return 0;
}
```
上述代码中,我们首先定义了三个变量 `letter`、`digit` 和 `other`,分别用于统计英文字母、数字字符和其他字符的个数。然后通过 `getchar()` 函数逐个读取输入的字符,判断该字符属于哪种类型,最后输出统计结果。
相关问题
C语言输入一行字符,以回车结束。统计其中英文字母、数字字符和其他字符的个数。
好的,可以提供一个 C 语言代码实现,如下所示:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char c;
int letter_count = 0, digit_count = 0, other_count = 0;
printf("请输入一行字符(以回车结束):\n");
while ((c = getchar()) != '\n') {
if (isalpha(c)) { // 判断是否为字母
letter_count++;
} else if (isdigit(c)) { // 判断是否为数字
digit_count++;
} else { // 其他字符
other_count++;
}
}
printf("输入的字符中,字母个数为:%d,数字个数为:%d,其他字符个数为:%d\n", letter_count, digit_count, other_count);
return 0;
}
```
这个程序中,使用了 `getchar()` 函数来逐个读取用户输入的字符,然后使用 `isalpha()` 函数判断是否为字母,使用 `isdigit()` 函数判断是否为数字,其他字符则默认为其他字符。最后统计出各种类型字符的个数并输出即可。
用c语言编程输入一行字符,分别统计出其中英文字母、空格、数字和其他字符的个数
在C语言中,你可以通过遍历用户输入的一行字符并使用条件判断来统计各种类型的字符。下面是一个简单的示例程序:
```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("请输入一行字符:");
fgets(input, sizeof(input), stdin);
// 去除换行符
if (input[strlen(input) - 1] == '\n') {
input[strlen(input) - 1] = '\0';
}
for (int i = 0; input[i] != '\0'; i++) {
if (isalpha(input[i])) { // 检查是否为字母
alpha_count++;
} else if (isspace(input[i])) { // 检查是否为空格
space_count++;
} else if (isdigit(input[i])) { // 检查是否为数字
digit_count++;
} else { // 其他字符(包括标点符号等)
other_count++;
}
}
printf("字母数量: %d\n", alpha_count);
printf("空格数量: %d\n", space_count);
printf("数字数量: %d\n", digit_count);
printf("其他字符数量: %d\n", other_count);
return 0;
}
```
这个程序首先提示用户输入一行字符,然后遍历字符数组,使用`isalpha()`检查字母,`isspace()`检查空格,`isdigit()`检查数字,其余的视为其他字符。最后,它会打印出各类字符的数量。
阅读全文