0

使用 Node.js,我们试图想出一种生成介于 1 到 100 之间的随机数的方法。但是,我们可能希望使用 Weibull(或一些这样的)分布会给出一个长尾并将答案更重地偏向较大的值 - 例如,75到100的值可能会在80%的时间内生成,50到74的值会在15%的时间内生成时间,其余的(< 20)产生 5% 的时间。

我们使用以下公式 alpha*(-ln(1-X))^(1/beta) 找到了 Weibul 随机变量函数。假设 X 是从 0 到 1 的标准线性随机数,使用 alpha = 1,并且 beta <= 1 似乎给了我们一个很好的分布,但是我们对于如何生成一个始终介于 1 和100。

任何想法或建议表示赞赏。

4

1 回答 1

3

好的-以防万一有人对我的答案版本感兴趣。使用以下参考使我达到了约束 Weibull 结果集的目标:

https://stats.stackexchange.com/questions/30303/how-to-simulate-data-that-satisfy-specific-constraints-such-as-having-specific-m

以下链接也很方便:

http://en.wikipedia.org/wiki/Weibull_distribution

http://mathworld.wolfram.com/WeibullDistribution.html

最后我粗略的 node,js 代码如下所示:

var desiredMin = 1; //the desired minimum random result 
var desiredMax = 50; //the desired maximum random result 
var scale = 1; //Weibul scale parameter (1 provides an inverse result set)
var shape = 10; //Weibul shape parameter (how skewed the result set is)

//given an possible random range of {0,1} value calculate the minimum and maximum Weibull distribution values given current shape and scale parameters
var weibullMin = Math.pow((shape*scale), (-1*shape)) * Math.pow(.000001, shape -1) * Math.exp(Math.pow((.000001/scale), shape));
var weibullMax = Math.pow((shape*scale), (-1*shape)) * Math.pow(.999999, shape -1) * Math.exp(Math.pow((.999999/scale), shape));

//simulate 1000 random weibull values and write results to file
fileStream.once('open', function(fd) {
    for(var i = 1; i <= 1000; i++) {
        var r = Math.random();
        var weibullRandom = Math.pow((shape*scale), (-1*shape)) * Math.pow(r, shape-1) * Math.exp(Math.pow((r/scale), shape)); //generate Weibull random value
        var weibullRandomAdjusted = desiredMin + (desiredMax - desiredMin)*((weibullRandom-weibullMin) / (weibullMax - weibullMin)); //adjust Weibull random value so that it constrained into the desired min/max range
        fileStream.write(weibullRandomAdjusted + "\n");
    };
    fileStream.end();
});

我已经为不同的“形状”值运行了代码,它为我提供了我需要的结果。

于 2014-02-21T15:45:57.950 回答