c语言字符数组的子串判断
时间: 2023-10-16 20:08:24 浏览: 196
在C语言中,可以使用字符串处理函数`strstr()`来判断一个字符串是否包含另一个字符串,从而实现字符数组的子串判断。
`strstr()`函数的原型如下:
```c
char *strstr(const char *haystack, const char *needle);
```
其中,`haystack`表示要查找的字符串,`needle`表示要查找的子串。如果`haystack`中包含`needle`,则`strstr()`函数返回`haystack`中第一次出现`needle`的位置,否则返回`NULL`。
以下是一个例子,演示如何使用`strstr()`函数实现字符数组的子串判断:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str1[100] = "hello world";
char str2[100] = "world";
char *pos;
pos = strstr(str1, str2);
if (pos != NULL) {
printf("%s is a substring of %s\n", str2, str1);
} else {
printf("%s is not a substring of %s\n", str2, str1);
}
return 0;
}
```
输出结果为:
```
world is a substring of hello world
```
阅读全文