public member function
<map>

std::map::find

      iterator find (const key_type& k);const_iterator find (const key_type& k) const;
查找元素
在容器中搜索具有与 k 等效的 的元素,如果找到,则返回指向它的迭代器,否则返回指向 map::end 的迭代器。

两个 被认为是等效的,如果容器的 比较对象 返回false自反地(即,无论元素以何种顺序作为参数传递)。

另一个成员函数 map::count 可用于仅检查特定键是否存在。

参数

k
要搜索的键。
成员类型key_type是容器中元素的键的类型,在 map 中定义为其第一个模板参数的别名().

返回值

指向该元素的迭代器,如果找到具有指定键的元素,则返回,否则返回 map::end

如果 map 对象是 const 限定的,则该函数返回一个const_iterator。否则,它返回一个iterator.

成员类型iteratorconst_iterator是指向元素的(类型为value_type).
请注意,value_typemap 容器中是 pair<const key_type, mapped_type> 的别名pair<const key_type, mapped_type>.

示例

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
// map::find
#include <iostream>
#include <map>

int main ()
{
  std::map<char,int> mymap;
  std::map<char,int>::iterator it;

  mymap['a']=50;
  mymap['b']=100;
  mymap['c']=150;
  mymap['d']=200;

  it = mymap.find('b');
  if (it != mymap.end())
    mymap.erase (it);

  // print content:
  std::cout << "elements in mymap:" << '\n';
  std::cout << "a => " << mymap.find('a')->second << '\n';
  std::cout << "c => " << mymap.find('c')->second << '\n';
  std::cout << "d => " << mymap.find('d')->second << '\n';

  return 0;
}

输出
elements in mymap:
a => 50
c => 150
d => 200


复杂度

size 的对数复杂度。

迭代器有效性

没有变化。

数据竞争

访问容器(const 和非 const 版本都不会修改容器)。
不访问映射值:并发访问或修改元素是安全的。

异常安全

强保证:如果抛出异常,容器没有发生变化。

另见