C++ STL中的通用find()函数是如何工作的

C++ STL中的通用find()函数是如何工作的

find(): find() 函数用于在给定范围内搜索元素,每个STL容器都有使用 find() 函数搜索元素的功能。通用find函数适用于每种数据类型。

返回类型:

  • 它返回指向 [first,last) 范围内第一个等于给定 key 的迭代器。
  • 如果没有找到这样的元素,则函数返回迭代器指向最后一个元素。

方法:

  • 已经考虑了不同数据类型的向量,例如 intstring 等,以及一个关键元素。
  • 基于关键元素调用搜索函数。
  • 使用模板编写搜索函数的工作机制。
  • 如果值不存在,则函数根据关键元素从向量的起点到终点搜索元素。如果关键元素与向量元素匹配,则它将返回该元素及其位置。

下面是C++程序,演示如何在向量中实现通用 find()

// C++ program to illustrate the
// implementation of generic find()
#include <iostream>
#include <vector>
using namespace std;
  
// Two generic templates classes one
// for iterator and other for key
template <class ForwardIterator, class T>
ForwardIterator search(
    ForwardIterator start,
    ForwardIterator end, T key)
{
    while (start != end) {
  
        // If key is present then return
        // the start iterator
        if ((*start) == key) {
            return start;
        }
  
        // Increment the iterator
        start++;
    }
  
    // If key is not present then,
    // return end iterator
    return end;
}
  
// Function to illustrate the use
// of generic find()
void inputElements()
{
    // Vector of integer data type
    vector<int> v{ 10, 20, 40, 30, 50 };
  
    // Element to be searched
    int key = 100;
  
    // Stores the address
    auto it = search(v.begin(), v.end(),
                     key);
  
    if (it != v.end()) {
  
        cout << key << " is present"
             << " at position "
             << it - v.begin() + 1
             << endl;
    }
    else {
  
        cout << key
             << " is not present"
             << endl;
    }
  
    cout << endl;
  
    // Vector of string data type
    vector<string> str{ "C++", "Python",
                        "GFG", "Ruby" };
  
    // Element to be searched
    string key2 = "GFG";
  
    // Stores the address
    auto it2 = search(str.begin(), str.end(),
                      key2);
  
    if (it2 != str.end()) {
  
        cout << key2 << " is present "
             << "at position "
             << it2 - str.begin() + 1
             << endl;
    }
    else {
  
        cout << key2 << " is not Present"
             << endl;
    }
}
  
// Driver Code
int main()
{
    // Function Call
    inputElements();
  
    return 0;
}
100 is not present

GFG is present at position 3

Python教程

Java教程

Web教程

数据库教程

图形图像教程

大数据教程

开发工具教程

计算机教程