编写c语言函数,求给定字符串中数字字符的个数,在主函数中输入字符串及输出统计的个数
时间: 2024-05-12 17:13:00 浏览: 94
c实现字符串中获取数字的个数
下面是一个简单的 C 语言函数,可用于计算给定字符串中数字字符的个数:
```c
#include <stdio.h>
#include <ctype.h>
int countDigits(char *str) {
int count = 0;
while (*str != '\0') {
if (isdigit(*str)) {
count++;
}
str++;
}
return count;
}
int main() {
char str[100];
printf("请输入一个字符串:");
gets(str);
int count = countDigits(str);
printf("字符串中数字字符的个数为 %d\n", count);
return 0;
}
```
该程序首先定义了一个 `countDigits` 函数,该函数使用一个指针遍历字符串,如果指针指向的字符是数字字符,则将计数器加一。最后返回计数器的值。
在主函数中,程序首先提示用户输入一个字符串,然后调用 `countDigits` 函数计算数字字符的个数,并输出结果。
阅读全文