C语言编写输入由任意字符组成的一个字符串(长度小于100个字符)和1个字符,统计该字符串中该字符的个数,注意字母要区分大小写。
时间: 2023-12-03 10:42:17 浏览: 179
下面是一个示例代码,实现了输入字符串和目标字符,然后遍历字符串,统计目标字符的出现次数:
```c
#include <stdio.h>
#include <string.h>
int main()
{
char str[100], target;
int len, count = 0;
// 输入字符串和目标字符
printf("请输入字符串:");
fgets(str, sizeof(str), stdin);
printf("请输入目标字符:");
scanf("%c", &target);
// 计算字符串长度
len = strlen(str);
// 遍历字符串,统计目标字符的出现次数
for (int i = 0; i < len; i++) {
if (str[i] == target) {
count++;
}
}
printf("字符串中 %c 出现的次数为 %d\n", target, count);
return 0;
}
```
这里使用了 `fgets()` 函数来输入字符串,因为它可以限制输入字符的个数,避免字符串溢出。另外,使用 `strlen()` 函数来计算字符串长度。
阅读全文