c语言编写程序,从给定字符串中查找某指定的字符。
时间: 2023-12-06 12:02:13 浏览: 142
可以使用C语言中的字符串函数`strchr()`来查找指定字符在字符串中的位置,示例代码如下:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str[100];
char c;
printf("请输入一个字符串:\n");
fgets(str, sizeof(str), stdin);
printf("请输入要查找的字符:\n");
scanf("%c", &c);
char *pos = strchr(str, c);
if (pos) {
printf("字符 %c 在字符串中的位置为:%ld\n", c, pos - str);
} else {
printf("字符串中没有找到字符 %c\n", c);
}
return 0;
}
```
上述代码中,使用了`fgets()`函数从标准输入中读取字符串,避免了使用`scanf()`函数可能会留下缓冲区中的换行符的问题。然后通过`strchr()`函数查找指定字符在字符串中的位置,如果找到了,返回该字符在字符串中的指针,然后通过指针减去字符串起始位置的指针,就可以得到该字符在字符串中的位置。如果没有找到,则返回NULL。
阅读全文