我需要生成X
个均匀分布在两个区间[a,b]之间的随机双数,其中a
和b
也是双数。
需要在类函数内生成X
个数字,例如myclass::doSomething(a,b)
。问题是,每次[a,b]
函数被另一个类函数调用时,传递给doSomething(a,b)
函数的间隔doSomething(a,b)
都会发生变化,比如doThat()
。
我想要一个允许我的解决方案:
1.让engine
具有更高的范围,理想情况下,每次应用程序运行时只应播种一次
2.在X
函数的每次调用中生成的doSomething()
随机双数应该是均匀分布的。
我的解决方案不允许engine
的更高范围,并且似乎生成的数字不一定均匀分布。
//file: utilities.h
template <typename Generator>
double randomDoubleEngine(Generator& engine, double low_bound, double high_bound )
{
if (low_bound > high_bound){
std::swap(low_bound, high_bound);
}
return std::uniform_real_distribution<>( low_bound, high_bound )( engine );
}
//file: myclass.h
void myclass::doThat(param1, param2){
for(int i=0; i < myclass.iter; i++){
...
...
doSomething(a,b);
...
}
}
void myclass::doSomething(double a, double b)
{
std::random_device rd;
static std::mt19937 engine(rd());
.....
double curThreshold = randomDoubleEngine(engine, a, b);
...
}
答案 0 :(得分:2)
我认为你希望引擎成为myclass的静态成员。除非你需要在其他方法中使用引擎,否则我不确定它会与你的产品产生任何真正的不同。我在下面粘贴了一个可能的解决方案。
另请注意,与标准相比,gcc看起来有问题(请参阅代码注释中的链接),因此如果您正在使用它,它可能会解释为什么您对这些数字应用的任何测试(检查均匀分布)是否失败。据我所知,gcc希望引擎返回[0,1]中的数字,而标准表示它应该是在某个范围内的统一整数。
我担心我只能使用gcc 4.4进行测试,因为我正在运行较旧的Ubuntu版本,而且ideone似乎不允许使用std :: random_device。
#include <random>
#include <iostream>
/* In GCC 4.4, uniform_real_distribution is called uniform_real; renamed in 4.5
*
* However, GCC's description here
*
* http://gcc.gnu.org/onlinedocs/libstdc++/libstdc++-api-4.6/a00731.html
*
* doesn't match expectation here
*
* http://en.cppreference.com/w/cpp/numeric/random/uniform_real_distribution
*
* which seems to match 26.5.8.2.2 of N3337
*
*/
#if defined(__GNUC_MINOR__) && (__GNUC_MINOR__ <= 4)
# define uniform_real_distribution uniform_real
#endif
template <typename Generator>
double randomDoubleEngine(Generator& engine, double low_bound, double high_bound)
{
if (low_bound > high_bound){
std::swap(low_bound, high_bound);
}
return std::uniform_real_distribution<double>(low_bound, high_bound)(engine);
}
class myclass
{
double curThreshold;
static std::mt19937 engine;
void doSomething(double a, double b)
{
curThreshold= randomDoubleEngine(engine, a, b);
}
public:
myclass(): curThreshold(0) {}
void doThat(){
doSomething(0,10);
std::cout << "threshold is " << curThreshold << std::endl;
}
};
std::mt19937 myclass::engine=std::mt19937(std::random_device()());
int
main()
{
myclass m;
m.doThat();
m.doThat();
return 0;
}