编写一函数,由实参传入一个字符串,以#结束;统计此字符串中字母、数字、空格和其他字符的个数,在主函数中输入字符串,输出上述结果 。
要求:将存放字母、数字、空格和其他字符的变量定义为全局变量,字符串用字符数组来存放和表示。
提示:字符串用字符数组来存放和表示
#include <stdio.h>
int letter = 0, digit = 0, space = 0, other = 0;
void count(char str[]) {
int i = 0;
while (str[i] != '#') {
if ((str[i] >= 'a' && str[i] <= 'z') || (str[i] >= 'A' && str[i] <= 'Z')) {
letter++;
}
else if (str[i] >= '0' && str[i] <= '9') {
digit++;
}
else if (str[i] == ' ') {
space++;
}
else {
other++;
}
i++;
}
}
int main() {
char str[100];
//这里不知道字符串的长度,就定义一个大一点的数组
scanf("%[^\n]", str);
//假如用 scanf("%s", str) 就错了:如果输入空格,会被认为是分隔符,不计入到字符串中
//这里%[^\n]表示扫描到\n结束,将\n之前的全部内容计入到字符串中
//在函数部分做这道题目确实有点超纲,等老师讲完之后应该就会了
count(str);
printf("字母:%d,数字:%d,空格:%d,其他:%d\n", letter, digit, space, other);
return 0;
}
当然,假如不按照题目中的要求来,也可以用一种更简单的方法(感谢我的舍友,这里就直接白嫖他的思路了):
#include <stdio.h>
int letter = 0, digit = 0, space = 0, other = 0;
int main() {
char c;
while ( (c = getchar()) != '#') {
if ((c >= 'a' && c <= 'z') || (c >= 'A' && c <= 'Z')) {
letter++;
}
else if (c >= '0' && c <= '9') {
digit++;
}
else if (c == ' ') {
space++;
}
else {
other++;
}
}
printf("字母:%d,数字:%d,空格:%d,其他:%d\n", letter, digit, space, other);
return 0;
}