Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Why does a class used as a value in a STL map need a default constructor in ...?

Below is the class used as the value in a map:

class Book
{
    int m_nId;
public:
    // Book() { }  <----- Why is this required?
    Book( int id ): m_nId( id ) { }

};

Inside main():

map< int, Book > mapBooks;

for( int i = 0; i < 10; ++i )
{
    Book b( i );
    mapBooks[ i ] = b;
}

The statement causing the error is:

mapBooks[ i ] = b;

If I add a default constructor, the error does not appear. However, I don't understand why the need. Can anyone explain? If I use insert(), the problem does not appear.

By the way, I'm using Visual C++ 2008 to compile.

like image 323
jasonline Avatar asked Feb 27 '10 09:02

jasonline


1 Answers

operator[] performs a two step process. First it finds or creates a map entry for the given key, then it returns a reference to the value part of the entry so that the calling code can read or write to it.

In the case where entry didn't exist before, the value half of the entry needs to be default constructed before it is assigned to. This is just the way the interface needs to work to be consistent with the case where the entry already existed.

If need to use such a type in a map then you have to avoid the use of operator[] by using find and insert "manually".

like image 175
CB Bailey Avatar answered Oct 06 '22 19:10

CB Bailey