「std::copy」の版間の差分

提供: C++入門
移動: 案内検索
(ページの作成:「std::copy とは、C++で指定範囲の要素をコピーするアルゴリズムです。std::vectorをコピーするときなどに使われます。 '...」)
 
行42: 行42:
 
</syntaxhighlight>
 
</syntaxhighlight>
  
 +
== std::copyを使って標準出力に出力する例 ==
 +
=== ソースコード std_copy_with_ostream_iterator.cpp ===
 +
<syntaxhighlight lang="cpp">
 +
#include <iostream>
 +
#include <vector>              // std::vector
 +
#include <iterator>            // std::ostream_iterator
 +
#include <algorithm><`0`>      // std::copy
 +
using namespace std;
 +
 +
int
 +
main(int argc, char const* argv[])
 +
{
 +
        std::vector<int> v{1,2,3};
 +
        std::copy(v.cbegin(),v.cend(),
 +
                        std::ostream_iterator<int>(
 +
                                std::cout, " ") );
 +
        std::cout << std::endl;
 +
        return 0;
 +
}
 +
</syntaxhighlight>
 +
=== コンパイル ===
 +
<syntaxhighlight lang="bash">
 +
g++49 -std=c++11 -I/usr/local/lib/gcc49/include/c++/ \
 +
-Wl,-rpath=/usr/local/lib/gcc49  std_copy_with_ostream_iterator.cpp -o std_copy_with_ostream_iterator
 +
</syntaxhighlight>
 +
=== 実行例 ===
 +
<syntaxhighlight lang="bash">
 +
% ./std_copy_with_ostream_iterator
 +
1 2 3
 +
</syntaxhighlight>
 
== 関連項目 ==
 
== 関連項目 ==
 
* [[std::vector::insert]]: vector同士を連結する
 
* [[std::vector::insert]]: vector同士を連結する

2014年1月5日 (日) 17:58時点における版

std::copy とは、C++で指定範囲の要素をコピーするアルゴリズムです。std::vectorをコピーするときなどに使われます。

読み方

std::copy
えすてぃーでぃー こぴー

概要

firstからendまでをresultにコピーします。

std::copy(first, end, result);

std::copyは、先頭から順番にコピーします。 入力の後半と出力の前半がオーバーラップしている場合、std::copyでは、意図通りのコピーができません。 その場合は、要素の後ろからコピーを行う std::copy_backward を使用します。

std::copyでは、コピー元と同じ順番で、コピー先に並べます。コピー元と逆向きに並べる場合には、std::reverse_copyを使用します。

std::copyの例

ソースコード vector_copy1.cpp

#include <iostream>
#include <vector>
#include <algorithm>    // std::copy
#include <iterator>     // std::back_inserter
using namespace std;
int main(int argc, char const* argv[])
{
        vector<int> v1(1024*4*100, 0),v2;
        copy(v1.begin(), v1.end(), back_inserter(v2) );
        return 0;
}

コンパイル

g++  vector_copy1.cpp -o vector_copy1

実行例

出力はありません。

% ./vector_copy1

std::copyを使って標準出力に出力する例

ソースコード std_copy_with_ostream_iterator.cpp

#include <iostream>
#include <vector>               // std::vector
#include <iterator>             // std::ostream_iterator
#include <algorithm><`0`>       // std::copy
using namespace std;
 
int
main(int argc, char const* argv[])
{
        std::vector<int> v{1,2,3};
        std::copy(v.cbegin(),v.cend(),
                        std::ostream_iterator<int>(
                                std::cout, " ") );
        std::cout << std::endl;
        return 0;
}

コンパイル

g++49 -std=c++11 -I/usr/local/lib/gcc49/include/c++/ \
-Wl,-rpath=/usr/local/lib/gcc49  std_copy_with_ostream_iterator.cpp -o std_copy_with_ostream_iterator

実行例

% ./std_copy_with_ostream_iterator
1 2 3

関連項目