std::replace_copy : replace_copy « STL Algorithms Modifying sequence operations « C++






std::replace_copy

 
 
 
#include <iostream>
using std::cout;
using std::endl;

#include <algorithm>
#include <vector>
#include <iterator>

int main()
{
   int a[ 10 ] = { 10, 2, 10, 4, 16, 6, 14, 8, 12, 10 };
   std::ostream_iterator< int > output( cout, " " );

   std::vector< int > v2( a, a + 10 ); // copy of a
   std::vector< int > c1( 10 ); // instantiate vector c1
   cout << "Vector v2 before replacing all 10s and copying:\n   ";
   std::copy( v2.begin(), v2.end(), output );

   // copy from v2 to c1, replacing 10s with 100s
   std::replace_copy( v2.begin(), v2.end(), c1.begin(), 10, 100 );
   cout << "\nVector c1 after replacing all 10s in v2:\n   ";
   std::copy( c1.begin(), c1.end(), output );

   cout << endl;
   return 0;
}
 

 /* 
Vector v2 before replacing all 10s and copying:
   10 2 10 4 16 6 14 8 12 10
Vector c1 after replacing all 10s in v2:
   100 2 100 4 16 6 14 8 12 100

 */       
  








Related examples in the same category

1.Use replace_copy to print all elements with value 5 replaced with 55