C++判断某个字符数组内是否有某几个字母(不管前后顺序)
时间: 2023-08-18 15:26:02 浏览: 78
判断字符与字母
5星 · 资源好评率100%
你可以使用C++中的字符串查找函数`find()`或`find_first_of()`来判断一个字符数组内是否包含某几个字母。具体实现如下:
```c++
#include <iostream>
#include <string>
using namespace std;
bool containsLetters(string str, string letters) {
for (int i = 0; i < letters.length(); i++) {
if (str.find(letters[i]) == string::npos) {
return false;
}
}
return true;
}
int main() {
char arr[] = "Hello World";
string letters = "loW";
if (containsLetters(arr, letters)) {
cout << "The array contains all the letters in " << letters << endl;
} else {
cout << "The array does not contain all the letters in " << letters << endl;
}
return 0;
}
```
在上面的代码中,`containsLetters()`函数接收两个参数,第一个参数为要判断的字符数组,第二个参数为要判断的字母集合。函数使用`find()`函数逐个查找字母集合中的每个字母在字符数组中的位置,如果有一个字母不存在于字符数组中,则返回`false`,否则返回`true`。在`main()`函数中,我们定义了一个字符数组和一个字母集合,并调用`containsLetters()`函数来判断字符数组是否包含字母集合中的所有字母。
阅读全文