用C语言实现:输入一个字符串,统计其中数字字符的个数。(10分) 程序运行结果输出示例 请输入一个字符串: abc123def456gh 字符串中数字字符的个数为: 6
时间: 2024-05-06 16:14:45 浏览: 47
以下是用C语言实现的程序:
```c
#include <stdio.h>
int main() {
char str[100];
int count = 0;
printf("请输入一个字符串:");
scanf("%s", str);
for (int i = 0; str[i] != '\0'; i++) {
if (str[i] >= '0' && str[i] <= '9') {
count++;
}
}
printf("字符串中数字字符的个数为:%d", count);
return 0;
}
```
程序的思路是,先定义一个字符串数组 `str`,通过 `scanf` 函数获取用户输入的字符串。然后使用一个循环遍历字符串中的每一个字符,如果该字符是数字字符,计数器 `count` 就加一。最后输出统计结果。
相关问题
用c语言输出:输入一行字符,分别统计出其中英文字母、数字、空格和其它字符的个数。
在C语言中,你可以通过使用`ctype.h`库中的函数来识别并统计输入字符串中各字符类型的数量。下面是一个简单的程序示例:
```c
#include <stdio.h>
#include <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 (isspace(input[i])) { // 判断是否为空格
space_count++;
} else { // 其他字符(包括特殊字符)
other_count++;
}
}
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语言编程实现:输入一行字符,分别统计出其中的英文字母、数字和其它字符的个数,输出结果 以逗号分隔。
在C语言中,你可以通过遍历输入字符串并检查每个字符所属的类别来实现这个功能。下面是一个简单的示例程序:
```c
#include <stdio.h>
#include <ctype.h> // 包含用于处理字符类型的函数
int main() {
char input[100]; // 定义一个数组来存储用户输入
int letter_count = 0, digit_count = 0, other_count = 0;
printf("请输入一行字符: ");
fgets(input, sizeof(input), stdin); // 读取一行输入,包括空格
for (int i = 0; input[i] != '\n'; i++) { // 遍历输入,跳过换行符
if (isalpha(input[i])) { // 判断字符是否为字母
letter_count++;
} else if (isdigit(input[i])) { // 判断字符是否为数字
digit_count++;
} else { // 其他字符(如空格、标点等)
other_count++;
}
}
printf("字母: %d, 数字: %d, 其它字符: %d\n", letter_count, digit_count, other_count);
return 0;
}
```
当你运行此程序,输入一行字符后,它会统计其中的字母、数字和其他字符的数量,并以逗号分隔的形式输出。
阅读全文