| Defined in header <iterator> | ||
|---|---|---|
template< class Iterator > std::move_iterator<Iterator> make_move_iterator( const Iterator& i ); | (since C++11) (until C++14) | |
template< class Iterator > std::move_iterator<Iterator> make_move_iterator( Iterator i ); | (since C++14) |
make_move_iterator is a convenience function template that constructs a std::move_iterator for the given iterator i with the type deduced from the type of the argument.
Parameters
| i | - | input iterator to be converted to move iterator |
Return value
A std::move_iterator which can be used to move from the elements accessed through i.
Possible implementation
template< class Iterator >
std::move_iterator<Iterator> make_move_iterator( Iterator i )
{
return std::move_iterator<Iterator>(i);
} |
Example
#include <iostream>
#include <list>
#include <vector>
#include <string>
#include <iterator>
int main()
{
std::list<std::string> s{"one", "two", "three"};
std::vector<std::string> v1(s.begin(), s.end()); // copy
std::vector<std::string> v2(std::make_move_iterator(s.begin()),
std::make_move_iterator(s.end())); // move
std::cout << "v1 now holds: ";
for (auto str : v1)
std::cout << "\"" << str << "\" ";
std::cout << "\nv2 now holds: ";
for (auto str : v2)
std::cout << "\"" << str << "\" ";
std::cout << "\noriginal list now holds: ";
for (auto str : s)
std::cout << "\"" << str << "\" ";
std::cout << '\n';
}Output:
v1 now holds: "one" "two" "three" v2 now holds: "one" "two" "three" original list now holds: "" "" ""
See also
| (C++11) | iterator adaptor which dereferences to an rvalue reference (class template) |
| (C++11) | obtains an rvalue reference (function template) |
Please login to continue.