我在random_shuffle
这样的向量上使用:
#include <algorithm>
vector <Card> deck;
//some code to add cards to the deck here
random_shuffle ( deck.begin(), deck.end() );
运行时,deck 的内容是混杂的,但是当我重新启动程序时,这个混杂的顺序会保持不变。
我错过了什么?我怎样才能让它真正随机?
您需要先使用srand播种伪随机数生成器。
#include <algorithm>
#include <cstdlib>
...
std::srand(std::time(0));
vector <Card> deck;
//some code to add cards to the deck here
random_shuffle ( deck.begin(), deck.end() );
上面链接的注释:
一般来说,伪随机数生成器应该只播种一次,在调用 rand() 和程序开始之前。每次您希望生成一批新的伪随机数时,不应重复播种或重新播种。
使用当前的 C++(即 C++11),您可以使用shuffle
可以将伪随机数生成器 (PRNG) 对象(您可以播种)作为第三个参数的算法:
#include <iostream>
#include <random>
#include <algorithm>
#include <vector>
#include <string>
#include <ctime>
using namespace std;
int main(int argc, char **argv)
{
vector<string> v;
for (int i = 1; i<argc; ++i)
v.push_back(argv[i]);
mt19937 g(static_cast<uint32_t>(time(0)));
shuffle(v.begin(), v.end(), g);
for (auto &x : v)
cout << x << ' ';
cout << '\n';
}
(对于 GCC 4.8.2,您需要通过 编译它g++ -std=c++11 -Wall -g shuffle.cc -o shuffle
)
在上面的示例中,PRNG 使用当前系统时间播种。
对于 C++11 之前的编译器,您只有random_shuffle
STL 中的算法 - 但即使这样,您也可以选择为其指定数字生成器对象/函数。请注意,您不能只将 PRNG 对象mtl19937
插入其中(因为它不提供operator()(U upper_bound)
成员)。
因此,您可以像这样提供自己的适配器:
#include <iostream>
#include <random>
#include <algorithm>
#include <vector>
#include <string>
#include <ctime>
using namespace std;
struct Gen {
mt19937 g;
Gen()
: g(static_cast<uint32_t>(time(0)))
{
}
size_t operator()(size_t n)
{
std::uniform_int_distribution<size_t> d(0, n ? n-1 : 0);
return d(g);
}
};
int main(int argc, char **argv)
{
vector<string> v;
for (int i = 1; i<argc; ++i)
v.push_back(argv[i]);
random_shuffle(v.begin(), v.end(), Gen());
for (vector<string>::const_iterator i = v.begin(); i != v.end(); ++i)
cout << *i << ' ';
cout << '\n';
}
放置线:
srand (time (0));
在你做任何其他事情之前,在你的代码中,例如在main()
.
否则,将始终使用默认种子 1,从而导致来自rand()
和任何使用它的相同序列。