- algorithm[meta header]
- std[meta namespace]
- function template[meta id-type]
- cpp11[meta cpp]
namespace std {
template <class RandomAccessIterator, class UniformRandomBitGenerator>
void shuffle(RandomAccessIterator first, RandomAccessIterator last,
UniformRandomBitGenerator&& g);
}
[first,last)
のそれぞれの要素を同じ確率で並び替える。
RandomAccessIterator
はValueSwappable
の要件を満たしている必要がある。UniformRandomBitGenerator
は uniform random bit generator の要件を満たさなければならず、その戻り値の型はiterator_traits
<RandomAccessIterator>::difference_type
へ変換可能でなければならない。
正確に (last - first) - 1
回 swap する。
以下の実装では、フィッシャー - イェーツのシャッフルアルゴリズムが使用されている:
- GCC: 4.9 (libstdc++)
- Clang: 3.4 (libc++)
- Visual C++: 2013
#include <algorithm>
#include <iostream>
#include <vector>
#include <numeric>
#include <iterator>
#include <random>
int main() {
std::vector<int> v(10);
std::iota(v.begin(), v.end(), 0); // 0~9 までの値を生成
std::cout << "before: ";
std::copy(v.begin(), v.end(), std::ostream_iterator<int>(std::cout));
std::cout << std::endl;
// シャッフル
std::random_device seed_gen;
std::mt19937 engine(seed_gen());
std::shuffle(v.begin(), v.end(), engine);
std::cout << " after: ";
std::copy(v.begin(), v.end(), std::ostream_iterator<int>(std::cout));
std::cout << std::endl;
}
- std::shuffle[color ff0000]
before: 0123456789
after: 5803429716
#include <algorithm>
#include <iostream>
#include <string>
#include <random>
int main() {
std::string input = "0123456789abcdef";
std::cout << "before: " << input << std::endl;
// シャッフル
std::random_device seed_gen;
std::mt19937 engine(seed_gen());
std::shuffle(input.begin(), input.end(), engine);
std::cout << " after: " << input << std::endl;
}
- std::shuffle[color ff0000]
- input.begin()[link /reference/string/basic_string/begin.md]
- input.end()[link /reference/string/basic_string/end.md]
before: 0123456789abcdef
after: 49e351b8f0ad62c7
template <class RandomAccessIterator, class UniformRandomBitGenerator>
void shuffle(RandomAccessIterator first, RandomAccessIterator last, UniformRandomBitGenerator&& g) {
if (first == last) return;
using distance_type = typename iterator_traits<RandomAccessIterator>::difference_type;
using unsigned_type = typename make_unsigned<distance_type>::type;
using distribute_type = typename uniform_int_distribution<unsigned_type>;
using param_type = typename distribute_type::param_type;
distribute_type d;
for (auto it = first + 1; it != last; ++it)
iter_swap(it, first + d(g, param_type(0, it - first)));
}
- iterator_traits[link /reference/iterator/iterator_traits.md]
- make_unsigned[link /reference/type_traits/make_unsigned.md]
- uniform_int_distribution[link /reference/random/uniform_int_distribution.md]
- iter_swap[link iter_swap.md]
- P0346R1 A
<random>
Nomenclature Tweak- URNGをURBGに変更