在PHP中将单个数字除以一组唯一的随机数

问题描述 投票:1回答:1

我想从一个预定的单个数字开始,但随后有多个随机数,加起来时,它们的总数是我开始的数字。

例如,我有100,但想要有10个随机数,当它们加在一起时,组成100。

凭借我有限的知识,我写道:

<?php
$_GET['total'] = $total;
$_GET['divided'] = $divided;
echo 'Starting with total: ' . $total;
echo '<br />';
echo 'Divided between: ' . $divided;
$randone = rand(1, $total);
$randonecon = $total - $randone;
echo '<br />';
echo 'First random number: ' . $randone;
$randtwo = rand(1, $randonecon);
$randtwocon = $total - $randtwo;
echo '<br />';
echo 'Second random number: ' . $randtwo;
?>

当然,这是一个失败,因为我不知道如何使数字在一个不让它们超过给定总数的数组中。

完全归功于Matei Mihai,它已经完成了!

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<title>Randomize</title>
</head>

<body>

<?php

$_GET['total'] = $total;
$_GET['divided'] = $divided;


function generateRandomNumbers($max, $count)
{
$numbers = array();

    for ($i = 1; $i < $count; $i++) {
        $random = mt_rand(0, $max / ($count - $i));
        $numbers[] = $random;
        $max -= $random;
    }

    $numbers[] = $max;

    return $numbers;
}
echo '<pre>'; 
print_r(generateRandomNumbers($total, $divided));
echo '</pre>';

?>


<form id="form1" name="form1" method="get" action="">
  <label for="total">Total</label>
  <br />
  <input type="text" name="total" id="total" />
  <br /> 
   <label for="divided">Divided</label>
  <br />
  <input type="text" name="divided" id="divided" />
  <br />
  <input type="submit" value="Go!">
</form>
</body>
</html>
php
1个回答
3
投票

您可以尝试使用小函数来生成这些数字:

function generateRandomNumbers($max, $count)
{
    $numbers = [];

    for ($i = 1; $i < $count; $i++) {
        $random = mt_rand(0, $max / ($count - $i));
        $numbers[] = $random;
        $max -= $random;
    }

    $numbers[] = $max;

    shuffle($numbers);

    return $numbers;
}

echo '<pre>';
print_r(generateRandomNumbers(100, 10));
echo '</pre>';

该函数将生成一个数组,如:

Array
(
    [0] => 0
    [1] => 1
    [2] => 6
    [3] => 11
    [4] => 14
    [5] => 13
    [6] => 3
    [7] => 6
    [8] => 13
    [9] => 33
)

请注意,我可以直接使用$random = mt_rand(0, $max / ($count - $i));而不是$random = mt_rand(0, $max),但在后一种情况下,在结果数组中获得大量0的机会大于第一种情况。

© www.soinside.com 2019 - 2024. All rights reserved.