C++ Map Library - cbegin() Function



Description

The C++ function std::multimap::cbegin() returns a constant iterator which refers to the first element of the multimap.

Iterator obtained by this member function can be used to iterate container but cannot be used to modify the content of object to which it is pointing even if object itself is not constant.

Declaration

Following is the declaration for std::multimap::cbegin() function form std::map header.

C++11

const_iterator cbegin() const noexcept;

Parameters

None

Return value

Returns constant iterator.

Exceptions

This member function never throws exception.

Time complexity

Constant i.e. O(1)

Example

The following example shows the usage of std::multimap::cbegin() function.

#include <iostream>
#include <map>

using namespace std;

int main(void) {
   /* Multimap with duplicates */
   multimap<char, int> m {
         {'a', 1},
         {'a', 2},
         {'b', 3},
         {'c', 4},
         {'c', 5},
               };

   cout << "Multimap contains following elements:" << endl;

   for (auto it = m.cbegin(); it != m.cend(); ++it)
      cout << it->first << " = " << it->second << endl;

   return 0;
}

Let us compile and run the above program, this will produce the following result −

Multimap contains following elements −
a = 1
a = 2
b = 3
c = 4
c = 5
map.htm
Advertisements