📅  最后修改于: 2020-10-17 05:06:31             🧑  作者: Mango
C++ STL algorithm.shuffle()函数通过将g用作统一的随机数生成器,将它们放置在随机位置,从而对范围的元素进行重新排序。
template
void shuffle (RandomAccessIterator first, RandomAccessIterator last, URNG&& g);
first:随机访问迭代器,指向要重新排列的范围内第一个元素的位置。
last:一个随机访问迭代器,将位置指向要重排范围中最后一个元素之后的位置。
g:称为统一随机数生成器的特殊函数对象。
没有
复杂度在[first,last)范围内是线性的:获取随机值并交换元素。
[first,last)范围内的对象被修改。
如果随机数生成,元素交换或迭代器上的任何操作抛出异常,则此函数将引发异常。
请注意,无效的参数会导致未定义的行为。
让我们看一个简单的示例来演示shuffle()的用法:
#include // std::cout
#include // std::shuffle
#include // std::array
#include // std::default_random_engine
#include // std::chrono::system_clock
using namespace std;
int main () {
array foo {1,2,3,4,5};
// obtain a time-based seed:
unsigned seed = chrono::system_clock::now().time_since_epoch().count();
shuffle (foo.begin(), foo.end(), default_random_engine(seed));
cout << "shuffled elements:";
for (int& x: foo) cout << ' ' << x;
cout << '\n';
return 0;
}
输出:
shuffled elements: 4 1 3 5 2
让我们看另一个简单的例子:
#include
#include
#include
#include
using namespace std;
int main()
{
vector v = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
random_device rd;
mt19937 g(rd());
shuffle(v.begin(), v.end(), g);
copy(v.begin(), v.end(), ostream_iterator(cout, " "));
cout << "\n";
return 0;
}
输出:
8 6 10 4 2 3 7 1 9 5
让我们看另一个简单的例子:
#include
#include
#include
#include
#include
#include
using namespace std;
int main() {
vector v(10);
iota(v.begin(), v.end(), 0);
cout << "before: ";
copy(v.begin(), v.end(), ostream_iterator(cout, " "));
cout << endl;
random_device seed_gen;
mt19937 engine(seed_gen());
shuffle(v.begin(), v.end(), engine);
cout << " after: ";
copy(v.begin(), v.end(), ostream_iterator(cout, " "));
cout << endl;
return 0;
}
输出:
before: 0 1 2 3 4 5 6 7 8 9
after: 4 3 1 2 7 0 8 9 6 5