Boost.Random 中随机性的基本来源称为“生成器”。Boost中提供了几个,但我认为你没有理由不能使用你自己的。
boost 文档中的示例展示了如何创建生成器对象,然后将其传递给分布以获取一系列数字。
- 之后 -
这是我创建的一个基本生成器(基于 rand48):
#include <iostream>
#include <boost/random.hpp>
class my_rand {
public:
// types
typedef boost::uint32_t result_type;
// construct/copy/destruct
my_rand () : next_ ( 0 ) {}
explicit my_rand( result_type x ) : next_ ( x ) {}
// public static functions
static uint32_t min() { return 0; }
static uint32_t max() { return 10; }
// public member functions
void seed() { next_ = 0; }
void seed(result_type x) { next_ = x; }
// template<typename It> void seed(It &, It);
// template<typename SeedSeq> void seed(SeedSeq &);
uint32_t operator()() {
if ( ++next_ == max ())
next_ = min ();
return next_;
}
void discard(boost::uintmax_t) {}
// template<typename Iter> void generate(Iter, Iter);
friend bool operator==(const my_rand & x, const my_rand &y);
friend bool operator!=(const my_rand & x, const my_rand &y);
// public data members
static const bool has_fixed_range;
private:
result_type next_;
};
bool operator==(const my_rand & x, const my_rand &y) { return x.next_ == y.next_; }
bool operator!=(const my_rand & x, const my_rand &y) { return x.next_ != y.next_; }
const bool my_rand::has_fixed_range = true;
int main ( int, char ** ) {
// boost::random::mt19937 rng;
my_rand rng;
boost::random::uniform_int_distribution<> six(1,6);
for ( int i = 0; i < 10; ++i )
std::cout << six(rng) << std::endl;
return 0;
}
显然,输出不是随机的。但它确实与 Boost.Random 基础设施互操作。