我正在运行一个测验制作网站。我希望以随机顺序向用户显示问题的答案。
我正在尝试避免存储将答案呈现给用户的顺序,如果我要随机随机播放它们。
我想以可预测的方式改变答案,以便我可以稍后以同样的方式重复洗牌(显示结果时)。
我认为我可以按一定的数字对答案列表进行洗牌(使用排序中的数字,或者使用ID号识别多种类型的排序。这样我可以简单地存储他们被洗牌的号码,并记下这个号码,以便再次将他们重新洗牌到同一个订单。
这是我到目前为止所拥有的骨架,但我没有任何逻辑可以将这些答案放回到洗牌顺序中的$ shuffled_array中。
<?php
function SortQuestions($answers, $sort_id)
{
// Blank array for newly shuffled answer order
$shuffled_answers = array();
// Get the number of answers to sort
$answer_count = count($questions);
// Loop through each answer and put them into the array by the $sort_id
foreach ($answers AS $answer_id => $answer)
{
// Logic here for sorting answers, by the $sort_id
// Putting the result in to $shuffled_answers
}
// Return the shuffled answers
return $shuffled_answers;
}
// Define an array of answers and their ID numbers as the key
$answers = array("1" => "A1", "2" => "A2", "3" => "A3", "4" => "A4", "5" => "A5");
// Do the sort by the number 5
SortQuestions($answers, 5);
?>
是否有技术可以通过传递给函数的数字来回答答案?
答案 0 :(得分:3)
PHP的shuffle函数使用srand给出的随机种子,因此您可以为此设置特定的随机种子。
此外,shuffle方法更改了数组键,但这可能不是您的最佳结果,因此您可以使用不同的shuffle函数:
function shuffle_assoc(&$array, $random_seed) {
srand($random_seed);
$keys = array_keys($array);
shuffle($keys);
foreach($keys as $key) {
$new[$key] = $array[$key];
}
$array = $new;
return true;
}
此功能将保留原始键,但顺序不同。
答案 1 :(得分:2)
你可以用一个因子旋转数组。
$factor = 5;
$numbers = array(1,2,3,4);
for ( $i = 0; $i < $factor; $i++ ) {
array_push($numbers, array_shift($numbers));
}
print_r($numbers);
该因子可以随机化,一个函数可以通过相反的旋转将数组切换回原位。
答案 2 :(得分:0)
这可能是其中一种可能的方法。
$result = SortQuestions($answers, 30);
print_r($result);
function SortQuestions($answers, $num)
{
$answers = range(1, $num);
shuffle($answers);
return $answers;
}