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



描述

C++ 函数std::algorithm::fill_n() 将值赋给由first.

指向的序列的前 n 个元素。

声明

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

template <class OutputIterator, class Size, class T>
OutputIterator fill_n (OutputIterator first, Size n, const T& val);

C++98

  • 参数

  • first − 指向初始位置的输出迭代器。

  • n − 要填充的元素数量。

val − 用于填充范围的值。

返回值

返回一个指向填充的最后一个元素之后元素的迭代器。

异常

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

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

时间复杂度

线性。

示例

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

using namespace std;

int main(void) {
   vector<int> v(5, 1);

   fill_n(v.begin() + 2, 3, 4);

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

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

   return 0;
}

在线演示

Vector contains following elements
1
1
4
4
4
让我们编译并运行上述程序,这将产生以下结果:
打印页面
广告