C语言统计字符串中数字字符的个数
时间: 2023-08-31 20:05:20 浏览: 841
可以使用C语言中的循环和判断语句来统计字符串中数字字符的个数。具体方法如下:
```c
#include <stdio.h>
int main() {
char str[100];
int count = 0, i;
printf("请输入一个字符串:");
scanf("%s", str);
for (i = 0; str[i] != '\0'; i++) {
if (str[i] >= '0' && str[i] <= '9') {
count++;
}
}
printf("字符串中数字字符的个数为:%d\n", count);
return 0;
}
```
这段代码首先定义了一个字符数组 `str` 和一个整型变量 `count`,用于存储输入的字符串和统计数字字符的个数。然后使用 `scanf()` 函数从标准输入中读取一个字符串。接下来使用 `for` 循环遍历字符串中的每个字符,如果字符是数字字符,则将计数器 `count` 加 1。最后输出统计结果。
希望可以帮到您!
相关问题
C语言统计字符串中数字字符的个数。
可以用循环遍历字符串的每个字符,判断其是否是数字字符,如果是,则计数器加一。以下是代码示例:
```c
#include <stdio.h>
int main() {
char str[100];
int count = 0, i = 0;
printf("请输入一个字符串:");
fgets(str, 100, stdin); // 读入字符串
while (str[i] != '\0') {
if (str[i] >= '0' && str[i] <= '9') {
count++;
}
i++;
}
printf("字符串中数字字符的个数为:%d\n", count);
return 0;
}
```
以上代码中,循环遍历字符串中的每个字符,如果字符的 ASCII 码在数字字符的 ASCII 码范围内,则计数器加一。最后输出数字字符的个数。
C语言统计字符串中各个数字字符的个数
在C语言中,统计字符串中的数字字符个数通常需要遍历字符串并检查每个字符是否为数字。可以利用ASCII码来判断,数字字符的ASCII值范围通常是48('0')到57('9')。下面是一个简单的示例函数,它接受一个字符串作为输入,并返回其中数字字符的数量:
```c
#include <stdio.h>
#include <ctype.h> // 需要用到ctype头文件获取isdigit函数
int count_digits(char *str) {
int count = 0;
while (*str != '\0') { // 遍历字符串直到遇到结束符'\0'
if (isdigit(*str)) { // 使用isdigit检查字符是否为数字
count++;
}
str++; // 移动指针到下一个字符
}
return count;
}
int main() {
char str[] = "Hello123World456";
int digit_count = count_digits(str);
printf("The number of digits in the string is: %d\n", digit_count);
return 0;
}
```
在这个例子中,`count_digits`函数会逐个检查字符串中的字符,如果发现是数字,则计数器加一。最后返回统计的数字字符总数。
阅读全文