0

我有 2 个数组合并为一个。一个数组包含一些产品,另一个数组包含数字(产品数量)。

$brick = "RT542,RT543,RT538";
$ratio = "10,15,13";

$bricks = explode(",", $brick);
$ratios = explode(",", $ratio);
$bricks_and_ratio = array_combine($bricks, $ratios);

Array ( 
   [0] => RT542 
   [1] => RT543 
   [2] => RT538 
)  

Array ( 
  [0] => 10 
  [1] => 15 
  [2] => 13 
)

array_combine() 然后给我这个:

Array ( 
[RT542] => 10 
[RT543] => 15 
[RT538] => 13 
)

到现在为止还挺好。我想要的是对这个数组进行洗牌,这样我将得到一行,首先是 2 x RT542,然后是 1 x RT538,然后是 3x RT543,依此类推,直到最大项目数。

我正在使用这个:

function BuildCustomBricks($myBricksAndRatios) {

        $img = imagecreate(890,502);
        imagealphablending($img, true);
        imagesavealpha($img, true);

        $keys = array_keys($myBricksAndRatios);
        shuffle($keys);
        $random = array();

        foreach ($keys as $key) {

            $random[$key] = $myBricksAndRatios[$key]; 

            for($i = 1; $i <= $myBricksAndRatios[$key]; $i++) {
                $cur = imagecreatefrompng("/var/www/brickmixer/bricks/". $key."-$i.png"); 
                imagealphablending($cur, true);
                imagesavealpha($cur, true);                      

                imagecopy($img, $cur, -150+$i*132, 0, 0, 0, 125, 32);                                                  
            }

            imagedestroy($cur);
        }

        header('Content-Type: image/png');
        imagepng($img);
    }  

它确实会随机播放,但会创建一排相同产品的图像,而不是随机顺序。我需要为每个产品密钥保留最大数量的产品。

解决方案:

function shuffle_bricks($array) {        
        foreach($array as $key => $value) {
             for($i = 1; $i <= $value; $i++) {
                 $new_array[] = $key;                 
             }
        }      

        shuffle($new_array);        
        return $new_array;
    }
4

2 回答 2

1

尚未对此进行测试,但它应该让您走上正轨:

<?php
function shufflebricks($bricks) {
  $rs = array();
  while (count($bricks) >= 0) {
    $key = array_rand($bricks, 1);
    $bricks[$key]--; // Use one brick
    $rs[] = $key; // Add it to output
    if ($bricks[$key] <= 0) unset($bricks[$key]); // Remove if there's no more of this brick
  }
  return $rs;
}
?>

这一次使用一块砖,随机砖类型有剩余砖。如果您想一次使用一个块,请在其中添加一个$quantity = rand(1, $bricks[$key]);

于 2012-09-13T11:49:41.953 回答
0

如果您使用索引数组,请确保也标准化索引:

function shuffleArray($source) {
    $target = array();
    for($i = count($source); $i > 0; $i--) {
        $key = rand(0, $i - 1);
        $target[] = $source[$key];
        unset($source[$key]);
        $source = array_values($source);
    }
    return $target;
}

通过array_values函数发生。

于 2014-01-06T16:45:38.100 回答