我想从集合[0 ...(n-1)]
生成长度r的所有组合所以输出应该是这样的(n = 6 r = 2)
$res = array(array(0,1),array(0,2),array(0,3),array(0,4),array(0,5),array(1,2),array(1,3),array(1,4),array(1,5),array(2,3),array(2,4),array(2,5),array(3,4),array(3,5),array(4,5));
具有类似
的功能function permutate($select, $max)
其中$ select = r和$ max = n
这是我目前的尝试,但我的大脑似乎没有在今晚运作,它只适用于$ select = 2
function permutate($select, $max)
{
$out = array();
for( $i = 0; $i < ($max) ; $i++)
{
for ($x = ($i + 1); $x < ($max); $x++)
{
$temp = array($i);
for($l = 0; $l < ($select-1); $l++)
{
if(($x+$l) < $max )
{
array_push($temp, $x+$l);
}
}
if(count($temp) == $select)
{
array_push($out, $temp);
}
}
}
return $out;
}
提前致谢
答案 0 :(得分:4)
由于你需要一个未定义的循环数,你需要递归地执行:
function permutation($select, $max) {
if ($select === 1) {
$result = range(0, $max);
foreach ($result as &$entry) {
$entry = array($entry);
}
return $result;
}
$result = array();
$previous = permutation($select - 1, $max - 1);
foreach ($previous as $entry) {
$last = end($entry);
for ($i = $last + 1; $i <= $max; $i++) {
$result[] = array_merge($entry, array($i));
}
}
return $result;
}