在本文中,我们将讨论C ++ STL中multimap::count()函数的工作原理,语法和示例。
多图是关联容器,类似于图容器。它还有助于按特定顺序存储由键值和映射值的组合形成的元素。在多图容器中,可以有多个与同一键关联的元素。始终在内部借助关联的键对数据进行排序。
Multimap::count()函数是C ++ STL中的内置函数,在<map>头文件中定义。count()用于计算与该函数关联的multimap中具有特定键的元素的数量。
如果在多图容器中不存在键,则此函数返回零。
multimap_name.count(key_type& key);
该函数接受以下参数-
key-这是我们要搜索并计算与该键关联的元素数量的键。
该函数返回一个整数,即具有相同键的元素数。
输入值
std::multimap<char, int> odd, eve; odd.insert(make_pair(‘a’, 1)); odd.insert(make_pair(‘a, 3)); odd.insert(make_pair(‘c’, 5)); odd.count(‘a’);
输出结果
2
#include <bits/stdc++.h> using namespace std; int main(){ //create the container multimap<int, int> mul; //insert using emplace mul.emplace_hint(mul.begin(), 1, 10); mul.emplace_hint(mul.begin(), 2, 20); mul.emplace_hint(mul.begin(), 2, 30); mul.emplace_hint(mul.begin(), 1, 40); mul.emplace_hint(mul.begin(), 1, 50); mul.emplace_hint(mul.begin(), 5, 60); cout << "\nElements in multimap is : \n"; cout <<"KEY\tELEMENT\n"; for (auto i = mul.begin(); i!= mul.end(); i++){ cout << i->first << "\t" << i->second << endl; } cout<<"Key 1 appears " << mul.count(1) <<" times in the multimap\n"; cout<<"Key 2 appears " << mul.count(2) <<" times in the multimap\n"; return 0; }
输出结果
如果我们运行上面的代码,它将生成以下输出-
Elements in multimap is : KEY ELEMENT 1 50 1 40 1 10 2 30 2 20 5 60 Key 1 appears 3 times in the multimap Key 2 appears 2 times in the multimap