如何找出是否设置了 std::map 存储中的元素?例子:
#include <map>
#include <string>
using namespace std;
map<string, FOO_class> storage;
storage["foo_el"] = FOO_class();
有没有类似的东西if (storage.isset("foo_el"))
?
if (storage.count("foo_el"))
count()
返回容器中该项目的多次出现,但映射只能出现每个键。因此storage.count("foo_el")
,如果项目存在则为 1,否则为 0。
试试storage.find("foo_el") != storage.end();
。
std::map 运算符 [] 很讨厌:如果它不存在,它会创建一个条目,首先要有一个 map::find。
如果要插入或修改
std::pair<map::iterator, bool> insert = map.insert(map::value_type(a, b));
if( ! insert.second) {
// Modify insert.first
}
您还可以在插入新的键值对时检查迭代器:
std::map<char,int> mymap;
mymap.insert ( std::pair<char,int>('a',100) );
std::pair<std::map<char,int>::iterator,bool> ret;
ret = mymap.insert ( std::pair<char,int>('a',500) );
if (ret.second==false) {
std::cout << "element is already existed";
std::cout << " with a value of " << ret.first->second << '\n';
}