C++ Vector Library - cbegin() Function



Description

The C++ function std::vector::cbegin() returns a constant random access iterator which points to the beginning of the vector.

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::vector::cbegin() function form std::vector header.

C++11

const_iterator cbegin() const noexcept;

Parameters

None

Return value

Returns a constant random access iterator which points to the beginning of the vector.

Exceptions

This member function never throws exception.

Time complexity

Constant i.e. O(1)

Example

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

#include <iostream>
#include <vector>

using namespace std;

int main(void) {
   auto ilist = {1, 2, 3, 4, 5};
   vector<int> v(ilist);

   for (auto it = v.cbegin(); it != v.end(); ++it)
      cout << *it << endl;

   return 0;
}

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

1
2
3
4
5
vector.htm
Advertisements