用C语言编写一个程序:键盘输入一个字符串,统计其中数字、英文字符、空格和其它字符的个数。
时间: 2024-05-08 13:19:02 浏览: 157
我可以回答这个问题。下面是用C语言编写的示例代码:
```c
#include <stdio.h>
int main() {
char str[100];
int i, digits = 0, letters = 0, spaces = 0, others = 0;
printf("请输入一串字符串:");
gets(str);
for (i = 0; str[i] != '\0'; i++) {
if (str[i] >= '0' && str[i] <= '9') {
digits++;
} else if ((str[i] >= 'a' && str[i] <= 'z') || (str[i] >= 'A' && str[i] <= 'Z')) {
letters++;
} else if (str[i] == ' ') {
spaces++;
} else {
others++;
}
}
printf("字符串中有 %d 个数字,%d 个英文字符,%d 个空格,%d 个其他字符。\n", digits, letters, spaces, others);
return 0;
}
```
它会读取一个字符串,并统计其中数字、英文字符、空格和其他字符的个数。
相关问题
用c语言编写一个代码:输入一串字符串,统计字母、数字、空格以及其他字符的个数,使用while语句
在C语言中,你可以使用while循环结合ASCII码来实现这个功能。这里是一个简单的示例,用户输入字符串,然后统计其中的字母、数字、空格和其他字符的数量:
```c
#include <stdio.h>
#include <ctype.h> // 包含处理字符类型函数
int main() {
char input[100];
int alpha_count = 0, digit_count = 0, space_count = 0, other_count = 0;
int i = 0;
while (input[i] != '\0') { // 遍历直到遇到字符串结尾
if (isalpha(input[i])) { // 判断是否为字母
alpha_count++;
} else if (isdigit(input[i])) { // 判断是否为数字
digit_count++;
} else if (isspace(input[i])) { // 判断是否为空格
space_count++;
} else { // 其他字符(如特殊字符)
other_count++;
}
i++; // 移动指针到下一个字符
}
printf("字母数量:%d\n", alpha_count);
printf("数字数量:%d\n", digit_count);
printf("空格数量:%d\n", space_count);
printf("其他字符数量:%d\n", other_count);
return 0;
}
`
在这个代码里,`isalpha()`、`isdigit()` 和 `isspace()` 分别用于检查字符是否为字母、数字和空格。如果不是这些,我们就认为它属于其他字符。
编写C语言程序:从键盘输入一行字符串(字符串长度小于等于1000),统计出其中的英文字母、空格、数字和其它字符的个数。输入以换行符结束。
#include <stdio.h>
int main()
{
char str[1000];
int letters = 0, spaces = 0, digits = 0, others = 0;
printf("请输入一行字符串:\n");
fgets(str, 1000, stdin); // 从键盘输入一行字符串
for (int i = 0; str[i] != '\0'; i++)
{
if ((str[i] >= 'a' && str[i] <= 'z') || (str[i] >= 'A' && str[i] <= 'Z'))
{
letters++; // 统计英文字母个数
}
else if (str[i] == ' ')
{
spaces++; // 统计空格个数
}
else if (str[i] >= '0' && str[i] <= '9')
{
digits++; // 统计数字个数
}
else
{
others++; // 统计其它字符个数
}
}
printf("英文字母个数:%d\n", letters);
printf("空格个数:%d\n", spaces);
printf("数字个数:%d\n", digits);
printf("其它字符个数:%d\n", others);
return 0;
}
阅读全文