用c语言编写输入一个字符串,统计数字字符的个数
时间: 2024-05-13 20:14:12 浏览: 136
下面是一个简单的 C 语言程序,用于输入一个字符串并统计其中的数字字符个数:
```c
#include <stdio.h>
#include <ctype.h>
int main()
{
char str[100];
int i, count = 0;
printf("请输入一个字符串:");
scanf("%s", str);
for (i = 0; str[i] != '\0'; i++) {
if (isdigit(str[i])) {
count++;
}
}
printf("数字字符的个数为:%d\n", count);
return 0;
}
```
该程序首先使用 `scanf()` 函数获取用户输入的字符串,然后使用 `isdigit()` 函数判断每个字符是否为数字字符(即 `'0'` 到 `'9'` 之间的字符),最后通过一个计数器变量统计数字字符的个数并输出结果。
相关问题
用C语言编写函数,统计字符串中数字字符的个数
好的,这个问题很简单。以下是一个用C语言编写的函数,可以统计字符串中数字字符的个数:
```
int countDigits(char* str) {
int count = 0;
for (int i = 0; str[i] != '\0'; i++) {
if (isdigit(str[i])) {
count++;
}
}
return count;
}
```
你可以调用这个函数并传入一个字符串,它将返回该字符串中数字字符的个数。希望这能帮到你!
用C语言编写程序,统计字符串中数字字符的个数。(使用gets函数接收字符串)
好的,下面是代码示例:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str[100];
int count = 0, len;
printf("请输入字符串:");
gets(str);
len = strlen(str);
for (int i = 0; i < len; i++) {
if (str[i] >= '0' && str[i] <= '9') {
count++;
}
}
printf("字符串中数字字符的个数为:%d\n", count);
return 0;
}
```
这段代码中,我们首先定义了一个字符串数组 `str`,用于存储输入的字符串。然后使用 `gets` 函数接收用户输入的字符串。接着,使用 `strlen` 函数获取字符串的长度,用于循环统计数字字符的个数。在循环中,使用 `if` 判断当前字符是否为数字字符,若是则计数器 `count` 加一。最后输出计数器的值即可。
阅读全文