C语言统计字符串中字母、数字、空格和其他字符的个数
时间: 2023-11-19 09:10:29 浏览: 106
可以使用C语言中的字符数组和循环语句来统计字符串中字母、数字、空格和其他字符的个数。以下是示例代码:
```
#include <stdio.h>
#include <ctype.h>
int main() {
char str[100]; // 定义字符数组
int i, letters, digits, spaces, others;
letters = digits = spaces = others = 0; // 初始化计数器
printf("请输入一个字符串:");
fgets(str, sizeof(str), stdin); // 读取输入的字符串
for (i = 0; str[i] != '\0'; i++) { // 遍历字符串中的每个字符
if (isalpha(str[i])) { // 判断是否为字母
letters++;
} else if (isdigit(str[i])) { // 判断是否为数字
digits++;
} else if (isspace(str[i])) { // 判断是否为空格
spaces++;
} else { // 其他字符
others++;
}
}
printf("字母个数:%d\n", letters);
printf("数字个数:%d\n", digits);
printf("空格个数:%d\n", spaces);
printf("其他字符个数:%d\n", others);
return 0;
}
```
以上代码中,使用了`fgets()`函数读取输入的字符串,它可以读取一行字符串,包括空格,并将其存储到字符数组`str`中。然后使用循环语句遍历字符串中的每个字符,使用`isalpha()`、`isdigit()`和`isspace()`函数判断每个字符的类型,并分别累加到对应的计数器中,最后输出各种类型字符的个数。
阅读全文