c++判断字符串是否包含某个字符串
时间: 2023-10-30 09:09:25 浏览: 133
在C语言中,可以使用`strstr`函数来判断一个字符串是否包含另一个字符串。`strstr`函数会在源字符串中查找目标字符串,并返回第一次出现的位置指针。如果找不到目标字符串,则返回`NULL`。
下面是使用C风格字符串的示例代码:
```c
#include <stdio.h>
#include <string.h>
int main() {
char a[] = "abcdefghigklmn";
char b[] = "def";
char c[] = "123";
if (strstr(a, b) == NULL) {
printf("not found\n");
} else {
printf("found\n");
}
if (strstr(a, c) == NULL) {
printf("not found\n");
} else {
printf("found\n");
}
return 0;
}
```
同样地,你也可以使用C++的`string`类来进行字符串的查找操作。下面是使用C++风格字符串的示例代码:
```cpp
#include <iostream>
#include <string>
using namespace std;
int main() {
string a = "abcdefghigklmn";
string b = "def";
string c = "123";
if (a.find(b) == string::npos) {
cout << "not found" << endl;
} else {
cout << "found" << endl;
}
if (a.find(c) == string::npos) {
cout << "not found" << endl;
} else {
cout << "found" << endl;
}
return 0;
}
```
阅读全文