(c语言)给定一个字符数组,试编程统计非数字的个数,并显示输出。
时间: 2024-03-15 15:43:50 浏览: 68
可以使用循环遍历字符数组,判断每个字符是否为数字,如果不是,则非数字的个数加1。可以使用标准库函数`isdigit()`判断一个字符是否为数字。
以下是示例代码:
```c
#include <stdio.h>
#include <ctype.h> // 包含isdigit()函数的头文件
int main()
{
char str[] = "a1b2c3d4e5f6";
int non_digits = 0; // 非数字个数初始化为0
int i = 0;
while (str[i] != '\0') // 遍历字符数组,直到遇到字符串结束符
{
if (!isdigit(str[i])) // 如果该字符不是数字
{
non_digits++; // 非数字个数加1
}
i++; // 继续遍历下一个字符
}
printf("非数字的个数为:%d\n", non_digits);
return 0;
}
```
输出结果为:
```
非数字的个数为:6
```
相关问题
c语言给定一个字符数组,试编程分别统计其中大写字母、小写字母、数字、空格和其他字符的个数,并显示输出。
好的,以下是C语言代码实现:
```c
#include <stdio.h>
int main() {
char str[100];
int i, uppercase=0, lowercase=0, digits=0, spaces=0, others=0;
printf("请输入一个字符串: ");
fgets(str, sizeof(str), stdin);
for(i=0; str[i]!='\0'; i++) {
if(str[i]>='A' && str[i]<='Z')
uppercase++;
else if(str[i]>='a' && str[i]<='z')
lowercase++;
else if(str[i]>='0' && str[i]<='9')
digits++;
else if(str[i]==' ')
spaces++;
else
others++;
}
printf("大写字母个数: %d\n", uppercase);
printf("小写字母个数: %d\n", lowercase);
printf("数字个数: %d\n", digits);
printf("空格个数: %d\n", spaces);
printf("其他字符个数: %d\n", others);
return 0;
}
```
程序运行后,输入一个字符串,程序会遍历这个字符串,并统计大写字母、小写字母、数字、空格和其他字符的个数,并输出结果。
c语言给定一个字符串87654321987654321求该字符串中各个数的个数
在C语言中,你可以通过遍历字符串并检查每个字符来计算数字的个数。这里是一个简单的示例程序:
```c
#include <stdio.h>
#include <ctype.h>
int count_digits(char str[]) {
int count = 0;
for(int i = 0; str[i] != '\0'; i++) { // 遍历字符串直到结束
if(isdigit(str[i])) { // 检查字符是否为数字
count++; // 数字个数加一
}
}
return count;
}
int main() {
char input[] = "87654321987654321";
int digit_count = count_digits(input);
printf("字符串 \"%s\" 中数字的个数是: %d\n", input, digit_count);
return 0;
}
```
这个程序会输出 "字符串 \"87654321987654321\" 中数字的个数是: 14"。
阅读全文