用指针编写count函数统计字符串中大写英文字母个数和小写英文字母个数
时间: 2023-08-31 12:06:50 浏览: 168
c代码-求字母个数
以下是一个使用指针的 C 代码示例,可以统计字符串中大写英文字母和小写英文字母的个数:
```c
#include <stdio.h>
void count_letters(char *s, int *upper_count, int *lower_count) {
*upper_count = 0;
*lower_count = 0;
while (*s != '\0') {
if (*s >= 'A' && *s <= 'Z') {
(*upper_count)++;
} else if (*s >= 'a' && *s <= 'z') {
(*lower_count)++;
}
s++;
}
}
// 示例用法
int main() {
char s[] = "Hello, World!";
int upper, lower;
count_letters(s, &upper, &lower);
printf("大写字母个数:%d\n", upper); // 输出 1
printf("小写字母个数:%d\n", lower); // 输出 9
return 0;
}
```
该函数接受一个指向字符串的指针,以及两个指向整数的指针,用于存储大写字母和小写字母的计数。在循环中遍历字符串中的每个字符,并对每个大写字母和小写字母计数,最后将计数器的值存储在指针变量中。
阅读全文