linux c语言 判断字符包含
时间: 2023-12-04 20:02:03 浏览: 84
判断一个字符是否包含另一个字符,可以使用C语言中的字符串函数`strchr()`,该函数在字符串中查找指定字符,并返回指向该字符的指针。
例如,以下代码判断字符数组`str`中是否包含字符`'a'`:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str[] = "hello world";
char *ptr = strchr(str, 'a');
if (ptr != NULL) {
printf("str contains 'a'\n");
} else {
printf("str does not contain 'a'\n");
}
return 0;
}
```
输出结果为:
```
str does not contain 'a'
```
如果要判断一个字符串是否包含另一个字符串,可以使用`strstr()`函数,该函数在字符串中查找指定子字符串,并返回指向该子字符串的指针。例如,以下代码判断字符串`str1`中是否包含字符串`str2`:
```c
#include <stdio.h>
#include <string.h>
int main() {
char str1[] = "hello world";
char str2[] = "world";
char *ptr = strstr(str1, str2);
if (ptr != NULL) {
printf("str1 contains str2\n");
} else {
printf("str1 does not contain str2\n");
}
return 0;
}
```
输出结果为:
```
str1 contains str2
```
阅读全文