c语言统计字符串中数字个数的方法
时间: 2024-03-24 22:14:09 浏览: 72
C语言统计字符串中字母、数字、空格和其他字符的个数
可以使用循环遍历字符串中的每个字符,判断是否是数字,如果是数字则计数器加1。具体实现如下:
```c
#include <stdio.h>
int count_digit(char* str) {
int count = 0;
for (int i = 0; str[i] != '\0'; i++) {
if (str[i] >= '0' && str[i] <= '9') {
count++;
}
}
return count;
}
int main() {
char str[] = "Hello 123 World!";
int count = count_digit(str);
printf("The number of digits in the string is: %d\n", count);
return 0;
}
```
运行结果:
```
The number of digits in the string is: 3
```
注意:此方法只能统计纯数字的个数,如果字符串中包含其他字符(如字母、符号等),则不能正确统计。
阅读全文