在 PHP 中使用加权概率生成随机结果
PHP 中随机数的生成已有详细记录。然而,以预定义的概率实现随机化需要额外的方法。本题重点是生成 1-10 之间的随机值,与 8、9 和 10 相比,获得 3、4 和 5 的概率更高。
从 @Allin 的建议中汲取灵感,开发了一个自定义函数来在 PHP 中促进这种加权随机化:
/** * getRandomWeightedElement() * Utility function for getting random values with weighting. * Pass in an associative array, such as array('A'=>5, 'B'=>45, 'C'=>50) * An array like this means that "A" has a 5% chance of being selected, "B" 45%, and "C" 50%. * The return value is the array key, A, B, or C in this case. Note that the values assigned * do not have to be percentages. The values are simply relative to each other. If one value * weight was 2, and the other weight of 1, the value with the weight of 2 has about a 66% * chance of being selected. Also note that weights should be integers. * * @param array $weightedValues */ function getRandomWeightedElement(array $weightedValues) { $rand = mt_rand(1, (int) array_sum($weightedValues)); foreach ($weightedValues as $key => $value) { $rand -= $value; if ($rand <= 0) { return $key; } } }
在此函数中,输入是一个关联数组,其中键代表所需的值结果,值是它们相应的概率。这些概率不一定是百分比,而是彼此相关的。
通过利用 PHP 的随机数生成器 (mt_rand()) 和累积概率方法的组合,该函数从数组中选取一个随机值基于分配的概率。这允许生成具有用户定义偏差的随机结果,使其成为适用于各种应用程序的多功能且有效的工具。
以上是如何在 PHP 中生成带有加权概率的随机数?的详细内容。更多信息请关注PHP中文网其他相关文章!