输出一串字符 统计其中数字字符的个数用C语言
时间: 2023-11-15 11:04:29 浏览: 198
以下是一个简单的C语言程序,用于统计字符串中数字字符的个数:
```c
#include <stdio.h>
int main() {
char str[100];
int count = 0;
printf("请输入字符串:");
fgets(str, 100, stdin);
for(int i = 0; str[i] != '\0'; i++) {
if(str[i] >= '0' && str[i] <= '9') {
count++;
}
}
printf("数字字符的个数为:%d\n", count);
return 0;
}
```
程序首先定义一个字符数组 `str` 和一个整数变量 `count`,用于存储用户输入的字符串和数字字符的个数。然后使用 `fgets()` 函数从标准输入中读取用户输入的字符串,并使用一个 `for` 循环遍历字符串中的每一个字符。如果字符是数字字符,则将计数器 `count` 加一。最后输出数字字符的个数。
相关问题
用C语言实现:输入一个字符串,统计其中数字字符的个数。(10分) 程序运行结果输出示例 请输入一个字符串: abc123def456gh 字符串中数字字符的个数为: 6
以下是用C语言实现的程序:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int count = 0;
printf("请输入一个字符串: ");
scanf("%s", str);
for (int i = 0; str[i] != '\0'; i++) {
if (isdigit(str[i])) {
count++;
}
}
printf("字符串中数字字符的个数为: %d\n", count);
return 0;
}
```
程序运行结果输出示例:
```
请输入一个字符串: abc123def456gh
字符串中数字字符的个数为: 6
```
用c语言输出一串字符,统计其中字母,数字,空格的个数
好的,你可以使用C语言的标准库函数来统计字符串中字母、数字、空格的个数。下面是一个示例代码:
```c
#include <stdio.h>
#include <ctype.h>
void count_chars(char *string, int *letter_count, int *digit_count, int *space_count) {
/*
统计字符串中字母、数字、空格的个数
*/
char c;
while ((c = *string++) != '\0') {
if (isalpha(c)) {
(*letter_count)++;
} else if (isdigit(c)) {
(*digit_count)++;
} else if (isspace(c)) {
(*space_count)++;
}
}
}
int main() {
char string[] = "Hello World! 123";
int letter_count = 0, digit_count = 0, space_count = 0;
count_chars(string, &letter_count, &digit_count, &space_count);
printf("字母个数:%d,数字个数:%d,空格个数:%d\n", letter_count, digit_count, space_count);
return 0;
}
```
运行结果如下:
```
字母个数:10,数字个数:3,空格个数:2
```
在这个示例代码中,我们定义了一个 `count_chars` 函数来统计字符串中字母、数字、空格的个数。使用 `isalpha`、`isdigit`、`isspace` 函数来判断字符是否为字母、数字、空格。然后,我们在 `main` 函数中调用 `count_chars` 函数,并输出结果。
阅读全文