编写一函数,由实参传来一个字符串,统计此字符串中字母、数字、空格和其它字符的个数,在主函数中输入字符串以及输出上述结果。 只要结果,别输出什么提示信息。c语言
时间: 2024-11-12 18:38:04 浏览: 3
C语言 编写函数,由实参传来一个字符串,统计其中字母,数字空格,和其他字符的个数
5星 · 资源好评率100%
你可以使用C语言编写如下的函数来实现这个功能:
```c
#include <stdio.h>
#include <ctype.h> // 引入ctype头文件,用于判断字符类型
void count_chars(char* str) {
int letter_count = 0;
int digit_count = 0;
int space_count = 0;
int other_count = 0;
for (int i = 0; str[i] != '\0'; i++) { // 遍历字符串
if (isalpha(str[i])) { // 判断是否为字母
letter_count++;
} else if (isdigit(str[i])) { // 判断是否为数字
digit_count++;
} else if (isspace(str[i])) { // 判断是否为空格
space_count++;
} else { // 其他字符(包括标点符号等)
other_count++;
}
}
printf("字母个数: %d\n", letter_count);
printf("数字个数: %d\n", digit_count);
printf("空格个数: %d\n", space_count);
printf("其他字符个数: %d\n", other_count);
}
int main() {
char input[100];
printf("请输入一个字符串: ");
fgets(input, sizeof(input), stdin); // 从标准输入获取字符串,包含换行符
input[strcspn(input, "\n")] = '\0'; // 移除fgets读取的换行符
count_chars(input);
return 0;
}
```
在这个程序中,`count_chars` 函数接收一个字符串作为参数,并通过遍历每个字符,分别统计字母、数字、空格和其他字符的数量。在 `main` 函数中,用户输入字符串后,调用 `count_chars` 函数来显示结果。
阅读全文