find_if
在範圍中找出滿足特定條件的第一個項目的位置。
template<class InputIterator, class Predicate> InputIterator find_if(InputIterator first, InputIterator last, Predicate pred);
參數
first
輸入迭代器,其定址要搜尋範圍中第一個元素的位置。last
輸入迭代器,其定址要搜尋範圍中最後一個元素之後的位置。pred
使用者定義的述詞函式物件或 Lambda 運算式,可將條件定義為和所搜尋的元素不符合。 述詞會接受單一引數,並傳回 true (符合) 或 false (不符合)。 pred 的簽章必須有效地 bool pred(const T& arg);,其中 T 是取值時可隱含轉換 InputIterator 的類型。 const 關鍵字顯示只是為了說明,所以函式物件或 Lambda 不應修改引數。
傳回值
輸入迭代器,指出與述詞所指定的條件 (述詞產生的 true) 相符的範圍中的第一個元素。 如果沒有發現任何符合述詞的元素,會傳回 last。
備註
這個範本函式是演算法 find 的概括,可以任意述詞取代述詞「等於特定值」。 如邏輯相反 (尋找不符合述詞的第一個元素),請參閱 find_if_not。
範例
// cl.exe /W4 /nologo /EHsc /MTd
#include <vector>
#include <algorithm>
#include <iostream>
#include <string>
using namespace std;
template <typename S> void print(const S& s) {
for (const auto& p : s) {
cout << "(" << p << ") ";
}
cout << endl;
}
// Test std::find()
template <class InputIterator, class T>
void find_print_result(InputIterator first, InputIterator last, const T& value) {
// call <algorithm> std::find()
auto p = find(first, last, value);
cout << "value " << value;
if (p == last) {
cout << " not found." << endl;
} else {
cout << " found." << endl;
}
}
// Test std::find_if()
template <class InputIterator, class Predicate>
void find_if_print_result(InputIterator first, InputIterator last,
Predicate Pred, const string& Str) {
// call <algorithm> std::find_if()
auto p = find_if(first, last, Pred);
if (p == last) {
cout << Str << " not found." << endl;
} else {
cout << "first " << Str << " found: " << *p << endl;
}
}
// Function to use as the UnaryPredicate argument to find_if() in this example
bool is_odd_int(int i) {
return ((i % 2) != 0);
}
int main()
{
// Test using a plain old array.
const int x[] = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
cout << "array x[] contents: ";
print(x);
// Using non-member std::begin()/std::end() to get input iterators for the plain old array.
cout << "Test std::find() with array..." << endl;
find_print_result(begin(x), end(x), 10);
find_print_result(begin(x), end(x), 42);
cout << "Test std::find_if() with array..." << endl;
find_if_print_result(begin(x), end(x), is_odd_int, "odd integer"); // function name
find_if_print_result(begin(x), end(x), // lambda
[](int i){ return ((i % 2) == 0); }, "even integer");
// Test using a vector.
vector<int> v;
for (int i = 0; i < 10; ++i) {
v.push_back((i + 1) * 10);
}
cout << endl << "vector v contents: ";
print(v);
cout << "Test std::find() with vector..." << endl;
find_print_result(v.begin(), v.end(), 20);
find_print_result(v.begin(), v.end(), 12);
cout << "Test std::find_if() with vector..." << endl;
find_if_print_result(v.begin(), v.end(), is_odd_int, "odd integer");
find_if_print_result(v.begin(), v.end(), // lambda
[](int i){ return ((i % 2) == 0); }, "even integer");
}
輸出
需求
標頭:<algorithm>
命名空間: std