嗨我有一个包含14列的MySQL表,每列下面有1到10个条目。我希望从每列中随机调用一个条目来随机组合条目。假设列下面可能只有一个条目,那么每次都会调用该条目...如果它只有2个条目,那么它将调用2中的1个,如果它有10则那么它将调用10个中的1个所有随机!
我在suggestion使用了这个Matthew McGovern并且效果很好,但它只会在列中调用几个条目,而不会从14个中调用一个条目。
我可以修改代码,使其从每个调用一个吗?
他的代码:
<?php
// Connect to database server
mysql_connect("localhost", "xxx", "yyy") or die (mysql_error());
// Select database
mysql_select_db("zzz") or die(mysql_error());
// SQL query
$strSQL = "SELECT * FROM Users";
// Execute the query (the recordset $rs contains the result)
$rs = mysql_query($strSQL);
// Array to hold all data
$rows = array();
// Loop the recordset $rs
// Each row will be made into an array ($row) using mysql_fetch_array
while($row = mysql_fetch_array($rs)) {
// add row to array.
$rows[] = $row;
}
// Close the database connection
mysql_close();
// Max rand number
$max = count($rows) - 1;
// print out random combination of data.
echo $rows[rand(0, $max)][0] . " " . $rows[rand(0, $max)][3] . " "
. $rows[rand(0, $max)][2] . " " . $rows[rand(0, $max)][3] . " "
. $rows[rand(0, $max)][4] . " " . $rows[rand(0, $max)][5];
?>
答案 0 :(得分:1)
我已经简化了下面的问题。你想要的是创建一个这样的数组结构来收集行:
[[col1row1, col1row2], [col2row1, col2row2], ...]
基本上,每列都是一个行数组。让我们说这些是你的行:
$result = [];
$row1 = [1, 2, 3];
$row2 = [4, 5, 6];
这是一个小函数,用$result
执行每行的合并:
function colmerge(&$arr, $row)
{
foreach ($row as $key => $val) {
if (!isset($arr[$key])) {
$arr[$key] = [];
}
array_push($arr[$key], $val);
}
}
colmerge($init, $row1);
colmerge($init, $row2);
现在,$result
的内容是:
[[1, 4], [2, 5], [3, 6]]
要获取每列的随机行,只需执行以下操作:
print_r(array_map(function($item) {
return $item[array_rand($item)];
}, $init));