Frage

Ich möchte alle Kombination der Länge r von einem Satz erzeugen [0 ... (n-1)]

So ist die Ausgabe wie folgt sein sollte (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));

mit einer Funktion wie

function permutate($select, $max)

Dabei steht $ select = r und $ max = n

Dies ist mein aktueller Versuch, aber mein Gehirn muß nicht an diesen Abend funktionieren scheint und es funktioniert nur für $ 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;
}

Vielen Dank im Voraus

War es hilfreich?

Lösung

Da Sie eine nicht definierte Anzahl von Schleifen benötigen, müssen Sie es rekursiv tun:

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;
}
Lizenziert unter: CC-BY-SA mit Zuschreibung
Nicht verbunden mit StackOverflow
scroll top