用 c 语言解决下面问题:输入一行字符串,统计并输出其中大写字母、小写字母、空格、数字以及其他字符各有多少.要求用指针的方法编程实现
时间: 2023-12-13 18:06:10 浏览: 68
C语言统计字符串中字母、数字、空格和其他字符的个数
```
#include <stdio.h>
void count(char *str, int *upper, int *lower, int *space, int *digit, int *other) {
while (*str) {
if (*str >= 'A' && *str <= 'Z') {
(*upper)++;
}
else if (*str >= 'a' && *str <= 'z') {
(*lower)++;
}
else if (*str == ' ') {
(*space)++;
}
else if (*str >= '0' && *str <= '9') {
(*digit)++;
}
else {
(*other)++;
}
str++;
}
}
int main() {
char str[100];
int upper = 0, lower = 0, space = 0, digit = 0, other = 0;
printf("Enter a string: ");
fgets(str, sizeof(str), stdin);
count(str, &upper, &lower, &space, &digit, &other);
printf("Uppercase letters: %d\n", upper);
printf("Lowercase letters: %d\n", lower);
printf("Spaces: %d\n", space);
printf("Digits: %d\n", digit);
printf("Other characters: %d\n", other);
return 0;
}
```
这是一个指针实现的统计字符串中各种字符的数量的程序。
阅读全文