C++ 算法库 - copy_n() 函数



描述

C++ 函数std::algorithm::copy_n() 复制前n个数到一个新的位置。如果nn的值为负数,则函数什么也不做。

声明

以下是来自 std::algorithm 头文件的 std::algorithm::copy_n() 函数声明。

C++11

template <class InputIterator, class Size, class OutputIterator>
OutputIterator copy_n (InputIterator first, Size n, OutputIterator result);

参数

  • first − 输入迭代器,指向被搜索序列的起始位置。

  • n − 要复制的元素个数。

  • result − 输出迭代器,指向新序列中的起始位置。

返回值

返回一个迭代器,指向已复制元素的目标范围的末尾。

异常

如果元素赋值或迭代器操作抛出异常,则抛出异常。

请注意,无效参数会导致未定义的行为。

时间复杂度

firstlast.

之间的距离线性相关。

示例

#include <iostream>
#include <vector>
#include <algorithm>

using namespace std;

int main(void) {
   vector<int> v1 = {1, 2, 3, 4, 5};
   vector<int> v2(3);

   copy_n(v1.begin(), 3, v2.begin());

   cout << "Vector v2 contains following elements" << endl;

   for (auto it = v2.begin(); it != v2.end(); ++it)
      cout << *it << endl;

   return 0;
}

让我们编译并运行上述程序,这将产生以下结果:

Vector v2 contains following elements
1
2
3
algorithm.htm
广告