C++ 判断字符串包含某个子串
时间: 2023-10-17 20:58:23 浏览: 489
要在 C++ 中判断一个字符串是否包含某个子串,你可以使用 `std::string` 类提供的 `find` 函数。这个函数会返回子串在字符串中第一次出现的位置,如果找不到子串,则返回 `std::string::npos`。
下面是一个示例代码:
```cpp
#include <iostream>
#include <string>
int main() {
std::string str = "Hello, world!";
std::string subStr = "world";
// 判断子串是否在字符串中
if (str.find(subStr) != std::string::npos) {
std::cout << "字符串包含子串" << std::endl;
} else {
std::cout << "字符串不包含子串" << std::endl;
}
return 0;
}
```
在这个示例中,我们首先定义了一个字符串 `str`,然后定义了一个子串 `subStr`。使用 `find` 函数来判断 `subStr` 是否在 `str` 中出现,并根据返回值进行相应的处理。
希望能帮到你!如果有其他问题,请随时提问。
相关问题
C++ 判断字符串包含某个字串
在 C++ 中,你可以使用字符串的 find 函数来判断一个字符串是否包含某个子串。下面是一个示例代码:
```cpp
#include <iostream>
#include <string>
int main() {
std::string str = "Hello, World!";
std::string substr = "World";
size_t found = str.find(substr);
if (found != std::string::npos) {
std::cout << "字符串包含子串" << std::endl;
} else {
std::cout << "字符串不包含子串" << std::endl;
}
return 0;
}
```
在上述代码中,我们使用 `find` 函数在字符串 `str` 中查找子串 `substr`。`find` 函数返回子串在字符串中的位置,如果找不到则返回 `std::string::npos`。通过判断 `found` 是否等于 `std::string::npos`,我们可以确定字符串是否包含子串。
希望对你有帮助!如果还有其他问题,请随时提问。
判断字符串中是否包含某个字符串c++
可以使用C++中的string类的find函数来判断字符串中是否包含某个字符串。该函数返回被查找字符串在原字符串中第一次出现的位置,如果没有找到则返回string::npos。
示例代码:
```c++
#include <iostream>
#include <string>
using namespace std;
int main() {
string str = "hello world";
string subStr = "world";
if (str.find(subStr) != string::npos) {
cout << "包含子串" << subStr << endl;
} else {
cout << "不包含子串" << subStr << endl;
}
return 0;
}
```
输出结果为:
```
包含子串world
```
阅读全文