I am confused which is more efficient?
As we can access map directly, why do we need to use find?
I just need to know which way is more efficient.
#include <iostream>
#include <map>
using namespace std;
int main ()
{
map<char,int> mymap;
map<char,int>::iterator it;
mymap['a']=50;
mymap['b']=100;
mymap['c']=150;
mymap['d']=200;
//one way
it=mymap.find('b');
cout << (*it).second <<endl;
//another way
cout << mymap['b'] <<endl;
return 0;
}
thanks in advance! :)
Because
map<>::operator[]
is sometimes nasty. If an element doesn't exist then:Thus it always returns a valid reference of value, even if a key din't exist previously. This behavior is not intended many times.
On the other hand
map<>::find()
is safer; because it returnsend()
, if a value doesn't exit. Another advantage offind()
is that it returns an iterator which contains references to key (first
) and value(second
) both.Using
find
means that you don't inadvertently create a new element in the map if the key doesn't exist, and -- more importantly -- this means that you can usefind
to look up an element if all you have is a constant reference to the map.That of course means that you should check the return value of
find
. Typically it goes like this:This code and doc is picked from cplusplus.com
Notice how the last access (to element 'd') inserts a new element in the map with that key and initialized to its default value (an empty string) even though it is accessed only to retrieve its value. Member function map::find does not produce this effect.
The [] operator in map is not constant it is logarithmic. Most of the books stress on this fact and point out it is a bit misleading. So both find and [] operator are with the same complexity.
Please note that the [] operator will create the entry even if it does not exist while find will return end() in that case.