c++ for reverse iterator code example
Example 1: for loop reverse C++
// Using iterators
for (auto it = s.crbegin() ; it != s.crend(); ++it) {
std::cout << *it;
}
// Naive
for (int i = s.size() - 1; i >= 0; i--) {
std::cout << s[i];
}
Example 2: reverse iterator c++
// A reverse_iterator example using vectors
#include <iostream>
#include <vector>
int main() {
std::vector<int> vec = {1, 2, 3, 4, 5};
std::vector<int>::reverse_iterator r_iter;
// rbegin() points to the end of the vector, and rend()
// points to the front. Use crbegin() and crend() for
// the const versions of these interators.
for (r_iter = vec.rbegin(); r_iter != vec.rend(); r_iter++) {
std::cout << *r_iter << std::endl;
}
return 0;
}