CppDS.com

C++ 98 11 14 17 20 手册

std::iota

来自cppreference.com
< cpp‎ | algorithm
 
 
算法库
有制约算法及范围上的算法 (C++20)
有制约算法: std::ranges::copy, std::ranges::sort, ...
执行策略 (C++17)
不修改序列的操作
(C++11)(C++11)(C++11)
(C++17)
修改序列的操作
未初始化存储上的操作
划分操作
排序操作
(C++11)
二分搜索操作
集合操作(在已排序范围上)
堆操作
(C++11)
最小/最大操作
(C++11)
(C++17)

排列
数值运算
C 库
 
定义于头文件 <numeric>
template< class ForwardIt, class T >
void iota( ForwardIt first, ForwardIt last, T value );
(C++11 起)
(C++20 前)
template< class ForwardIt, class T >
constexpr void iota( ForwardIt first, ForwardIt last, T value );
(C++20 起)

以始于 value 并重复地求值 ++value 的顺序递增值填充范围 [first, last)

等价操作:

*(d_first)   = value;
*(d_first+1) = ++value;
*(d_first+2) = ++value;
*(d_first+3) = ++value;
...

参数

first, last - 以 value 开始,按顺序递增填充的值的范围
value - 要存储的初始值,表达式 ++value 必须为良式

返回值

(无)

复杂度

正好 last - first 次自增与赋值。

可能的实现

template<class ForwardIterator, class T>
constexpr // C++20 起
void iota(ForwardIterator first, ForwardIterator last, T value)
{
    while(first != last) {
        *first++ = value;
        ++value;
    }
}

注解

此函数命名来源于编程语言 APL 中的整数函数 ⍳ 。它是 C++98 所不曾包含的 STL 组件之一,但最终于 C++11 进入了标准库。

示例

下列代码应用 std::shufflestd::list 迭代器的 vector ,因为不能直接应用 std::shufflestd::list 。用 std::iota 填充二个容器。

#include <algorithm>
#include <iostream>
#include <list>
#include <numeric>
#include <random>
#include <vector>
 
int main()
{
    std::list<int> l(10);
    std::iota(l.begin(), l.end(), -4);
 
    std::vector<std::list<int>::iterator> v(l.size());
    std::iota(v.begin(), v.end(), l.begin());
 
    std::shuffle(v.begin(), v.end(), std::mt19937{std::random_device{}()});
 
    std::cout << "Contents of the list: ";
    for(auto n: l) std::cout << n << ' ';
    std::cout << '\n';
 
    std::cout << "Contents of the list, shuffled: ";
    for(auto i: v) std::cout << *i << ' ';
    std::cout << '\n';
}

可能的输出:

Contents of the list: -4 -3 -2 -1 0 1 2 3 4 5
Contents of the list, shuffled: 0 -1 3 4 -4 1 -2 -3 2 5

参阅

将一个给定值复制赋值给一个范围内的每个元素
(函数模板)
将相继的函数调用结果赋值给一个范围中的每个元素
(函数模板)
关闭