C语言数组中查找字符串
时间: 2023-07-09 10:36:16 浏览: 127
C语言中查找字符在字符串中出现的位置的方法
在C语言中,可以使用字符串库函数`strstr`来查找一个字符串在另一个字符串中的位置。下面是一个示例代码:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str[] = "Hello world";
char substr[] = "world";
char *result;
result = strstr(str, substr);
if(result) {
printf("'%s' is found in '%s'\n", substr, str);
} else {
printf("'%s' is not found in '%s'\n", substr, str);
}
return 0;
}
```
运行结果为:
```
'world' is found in 'Hello world'
```
在上面的代码中,`strstr(str, substr)`函数会返回一个指向`str`中第一次出现`substr`的指针,如果没有找到则返回`NULL`。通过判断返回值是否为`NULL`,来确定是否找到了目标字符串。
阅读全文