输入一行字符,分别统计出其中英文字母、空格、数字和其他字符的个数。 提示:灵活使用getchar() 函数来按顺序读入所输入字符串里面的各个字符。 写出C语言代码
时间: 2024-06-10 18:03:53 浏览: 97
```
#include <stdio.h>
int main() {
char c;
int letter = 0, space = 0, digit = 0, other = 0;
printf("请输入一行字符: \n");
while((c = getchar()) != '\n') {
if(c >= 'a' && c <= 'z' || c >= 'A' && c <= 'Z') { // 判断是否为字母
letter++;
} else if(c == ' ') { // 判断是否为空格
space++;
} else if(c >= '0' && c <= '9') { // 判断是否为数字
digit++;
} else { // 其他字符
other++;
}
}
printf("字母个数: %d\n", letter);
printf("空格个数: %d\n", space);
printf("数字个数: %d\n", digit);
printf("其他字符个数: %d\n", other);
return 0;
}
```
相关问题
用c语言的循环语句输入一行字符分别统计出其中英文字母空格数字和其他字符的个数
使用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;
}
```
该代码使用了一个while循环来读取输入的字符,然后使用if语句来判断字符的类型并相应地增加计数器的值。最后,使用printf函数输出统计结果。
c语言:用while getchar输入一行字符,分别统计出其中英文字母、空格、数字和其它字符的个数
可以使用 `while` 循环结合 `getchar` 函数来实现输入一行字符的功能,然后使用字符分类判断来统计其中英文字母、空格、数字和其他字符的个数。代码如下:
```c
#include <stdio.h>
int main()
{
char ch;
int letter = 0, space = 0, digit = 0, other = 0;
printf("请输入一行字符:\n");
while ((ch = getchar()) != '\n') {
if ((ch >= 'a' && ch <= 'z') || (ch >= 'A' && ch <= 'Z')) {
letter++;
} else if (ch == ' ') {
space++;
} else if (ch >= '0' && ch <= '9') {
digit++;
} else {
other++;
}
}
printf("其中英文字母:%d个,空格:%d个,数字:%d个,其他字符:%d个\n", letter, space, digit, other);
return 0;
}
```
其中,`getchar()` 函数每次读取一个字符,如果读取到回车字符 `\n` 就结束输入。使用 `if` 语句来判断每个字符属于哪一类,并对应地将相应的计数器加 1。最后输出各个类别的字符个数。
阅读全文