C++ ベクターに要素が存在するかどうかを調べる方法
胡金庫
2023年10月12日
-
C++
std::find()
ベクトル内に要素が存在するかどうかを調べるアルゴリズム -
C++ ベクトル内に要素が存在するかどうかを調べる範囲ベースの
for
ループ -
C++
any_of()
ベクトル内に要素が存在するかどうかを調べるアルゴリズム
この記事では、C++ ベクトル内に要素が存在するかどうかを調べる方法について、複数のメソッドを示します。
C++ std::find()
ベクトル内に要素が存在するかどうかを調べるアルゴリズム
メソッド find
は STL アルゴリズムライブラリの一部であり、与えられた要素が特定の範囲内に存在するかどうかを調べることができます。この関数は、ユーザから渡された 3 番目のパラメータに等しい因子を検索します。対応する戻り値は、見つかった最初の要素へのイテレータであり、見つからなかった場合は範囲の end
が返されます。
以下の例のように、*
演算子を使って返された文字列の値にアクセスし、if
文の中で比較条件を作成していることに注意してください。
#include <algorithm>
#include <iostream>
#include <vector>
using std::cin;
using std::cout;
using std::endl;
using std::find;
using std::string;
using std::vector;
int main() {
string element_to_check1 = "nibble";
string element_to_check2 = "nimble";
vector<string> data_types = {"bit", "nibble", "byte", "char",
"int", "long", "long long", "float",
"double", "long double"};
if (*find(data_types.begin(), data_types.end(), element_to_check1) ==
element_to_check1) {
printf("%s is present in the vector\n", element_to_check1.c_str());
} else {
printf("%s is not present in the vector\n", element_to_check1.c_str());
}
if (*find(data_types.begin(), data_types.end(), element_to_check2) ==
element_to_check2) {
printf("%s is present in the vector\n", element_to_check2.c_str());
} else {
printf("%s is not present in the vector\n", element_to_check2.c_str());
}
return EXIT_SUCCESS;
}
出力:
nibble is present in the vector
nimble is not present in the vector
C++ ベクトル内に要素が存在するかどうかを調べる範囲ベースの for
ループ
与えられた要素がベクトル内に存在するかどうかをチェックする別の解決策として、範囲ベースの for
ループを用いることができます。この方法はベクトルを繰り返し処理するので比較的簡単であり、各繰り返し処理では与えられた文字列との一致をチェックします。要素が一致すると確認文字列が出力され、ループは break
文を用いて停止します。
#include <iostream>
#include <vector>
using std::cin;
using std::cout;
using std::endl;
using std::string;
using std::vector;
int main() {
string element_to_check = "nibble";
vector<string> data_types = {"bit", "nibble", "byte", "char",
"int", "long", "long long", "float",
"double", "long double"};
for (const auto &item : data_types) {
if (item == element_to_check) {
printf("%s is present in the vector\n", element_to_check.c_str());
break;
}
}
return EXIT_SUCCESS;
}
出力:
nibble is present in the vector
C++ any_of()
ベクトル内に要素が存在するかどうかを調べるアルゴリズム
もう一つの有用なメソッドとして、<algorithm>
ヘッダの find
メソッドと似たものに any_of
アルゴリズムがあります。メソッドは、第 3 引数に指定された単項述語が、指定された範囲内の少なくとも 1つの要素に対して true
を返すかどうかをチェックします。この例では、ラムダ式を用いてベクトル要素を比較するための単項述語を構築しています。
#include <algorithm>
#include <iostream>
#include <vector>
using std::any_of;
using std::cin;
using std::cout;
using std::endl;
using std::string;
using std::vector;
int main() {
string element_to_check = "nibble";
vector<string> data_types = {"bit", "nibble", "byte", "char",
"int", "long", "long long", "float",
"double", "long double"};
if (any_of(data_types.begin(), data_types.end(),
[&](const string& elem) { return elem == element_to_check; })) {
printf("%s is present in the vector\n", element_to_check.c_str());
}
return EXIT_SUCCESS;
}
出力:
nibble is present in the vector
著者: 胡金庫