用C语言写输入一行字符,分别统计出其中英文字母、数字、空格和其他字符的个数。 输入 一行字符 输出 统计值
时间: 2024-03-22 15:33:18 浏览: 24
```c
//代码类型:C语言
#include <stdio.h>
int main() {
char c;
int ch,s,d,o;
ch=0;
s=0;
d=0;
o=0;
while((c=getchar())!='\n') {
if(c>='a'&&c<='z'||c>='A'&&c<='Z') ch++;
else if(c==' ') s++;
else if(c>='0'&&c<='9') d++;
else o++;
}
printf("char=%d space=%d digit=%d others=%d\n",ch,s,d,o);
return 0;
}
```
相关问题
用C语言输入一行字符分别统计出其中英文字母空格数字和其他字符的个数
好的,这是一个经典的问题,以下是代码实现:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, alphabets, digits, spaces, others;
alphabets = digits = spaces = others = 0;
printf("请输入一行字符:\n");
fgets(str, sizeof(str), stdin);
for (i = 0; str[i] != '\0'; i++) {
if (isalpha(str[i])) {
alphabets++;
} else if (isdigit(str[i])) {
digits++;
} else if (isspace(str[i])) {
spaces++;
} else {
others++;
}
}
printf("输入的字符串中包含:\n");
printf("%d 个字母\n", alphabets);
printf("%d 个数字\n", digits);
printf("%d 个空格\n", spaces);
printf("%d 个其他字符\n", others);
return 0;
}
```
希望这个回答能够帮到你!
输入一行字符分别统计出其中英文字母数字空格和其他字符的个数,如何用C语言实现?
在C语言中,你可以通过遍历输入字符串并使用相应的条件判断来统计字母、数字、空格和其他字符的数量。下面是一个简单的示例程序:
```c
#include <stdio.h>
#include <ctype.h> // 包含ctype.h头文件,用于处理字符类型
int main() {
char input[100];
int alpha_count = 0; // 字母计数
int digit_count = 0; // 数字计数
int space_count = 0; // 空格计数
int other_count = 0; // 其他字符计数
printf("请输入一行字符: ");
fgets(input, sizeof(input), stdin); // 从标准输入读取一行字符
for (int i = 0; input[i] != '\0'; i++) { // 遍历字符串
if (isalpha(input[i])) { // 检查是否为字母
alpha_count++;
} else if (isdigit(input[i])) { // 检查是否为数字
digit_count++;
} else if (input[i] == ' ') { // 检查是否为空格
space_count++;
} else { // 其他字符
other_count++;
}
}
printf("\n字母: %d\n", alpha_count);
printf("数字: %d\n", digit_count);
printf("空格: %d\n", space_count);
printf("其他字符: %d\n", other_count);
return 0;
}
```
这个程序首先定义了四个整数变量分别对应四种类型的字符计数,然后通过`fgets()`函数获取用户输入的字符串。接下来,它遍历字符串并对每个字符进行检查:如果是字母、数字或空格,就相应地增加计数;如果不是这三种情况,就将它们归类为其他字符。
最后,程序打印出每种字符类型的计数。
阅读全文