帮我写一个c语言程序,给定一个字符串,要求统计出字符串中数字 英文字母和其他字符的个数
时间: 2023-04-03 09:00:37 浏览: 162
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
好的,我可以回答这个问题。以下是一个简单的 C 语言程序,可以统计给定字符串中数字、英文字母和其他字符的个数:
```
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100];
int i, digits = , letters = , others = ;
printf("请输入一个字符串:");
fgets(str, sizeof(str), stdin);
for (i = ; str[i] != '\'; i++) {
if (isdigit(str[i])) {
digits++;
} else if (isalpha(str[i])) {
letters++;
} else {
others++;
}
}
printf("数字个数:%d\n", digits);
printf("字母个数:%d\n", letters);
printf("其他字符个数:%d\n", others);
return ;
}
```
这个程序首先定义了一个字符数组 `str`,用于存储输入的字符串。然后使用 `fgets` 函数从标准输入读取字符串。接下来使用一个循环遍历字符串中的每个字符,使用 `isdigit` 和 `isalpha` 函数判断字符是数字还是字母,如果都不是,则认为是其他字符。最后输出数字、字母和其他字符的个数即可。
希望这个程序对您有所帮助!
阅读全文