编写一个程序,输入一个字符串str和一个字符ch,通过指针查找,统计字符串str中字符ch出现的位置
时间: 2023-06-14 16:02:29 浏览: 129
以下是一个C语言的示例程序,可以实现统计字符串str中字符ch出现的位置:
```c
#include <stdio.h>
#include <string.h>
void find_char(char *str, char ch, int *pos, int *count) {
int len = strlen(str);
*count = 0;
for (int i = 0; i < len; i++) {
if (*str == ch) {
pos[(*count)++] = i;
}
str++;
}
}
int main() {
char str[100];
char ch;
int pos[100], count;
printf("请输入字符串:");
scanf("%s", str);
printf("请输入要查找的字符:");
scanf(" %c", &ch);
find_char(str, ch, pos, &count);
if (count == 0) {
printf("未找到该字符\n");
} else {
printf("该字符出现的位置为:");
for (int i = 0; i < count; i++) {
printf("%d ", pos[i]);
}
printf("\n");
}
return 0;
}
```
程序中的`find_char`函数接受三个参数:字符串`str`、要查找的字符`ch`、和保存字符出现位置的数组`pos`。函数通过指针返回字符出现的次数`count`,并将每次出现的位置保存在`pos`数组中。
在`main`函数中,先使用`scanf`函数获取用户输入的字符串和字符。然后调用`find_char`函数查找字符,并根据返回的次数和位置数组输出结果。
阅读全文