最近在看演算法,在此記錄,以便複習
<?php
Class Quick{
public function partition(array &$nums, int $l, int $r) : int
{
$pivot = $nums[$r];
$i = $l - 1; // 交換開始位
for ($j = $l; $j <= $r - 1; ++ $j) {
if ($nums[$j] <= $pivot) {
$i = $i + 1; // 只要比pivot小就要和當前比較者交換
list($nums[$i], $nums[$j]) = array($nums[$j], $nums[$i]);
}
}
$i = $i + 1;
// 一共有 $i 位進行了交換,所以將pivot和$i + 1交換
list($nums[$i], $nums[$r]) = array($nums[$r], $nums[$i]);
return $i;
}
public function randomized_partition(array &$nums, int $l, int $r) : int
{
$i = mt_rand($l, $r);
list($nums[$r], $nums[$i]) = array($nums[$i], $nums[$r]);
return $this->partition($nums, $l, $r);
}
public function randomized_quicksort(array &$nums, int $l, int $r)
{
if ($r > $l) {
$pos = $this->randomized_partition($nums, $l, $r);
// 上一步使得陣列裡的值相對$pos,左小右大
// 此時,對$pos左邊進行相同的遞迴處理
$this->randomized_quicksort($nums, $l, $pos - 1);
// 然後,對$pos右邊進行相同的遞迴處理
$this->randomized_quicksort($nums,$pos + 1, $r);
}
}
public function sortArray(array $nums)
{
$this->randomized_quicksort($nums, 0, count($nums) - 1);
return $nums;
}
}
$test = new Quick();
$a = [7, 4, 2, 5, 1];
$a = $test->sortArray($a);
print_r($a);
?>
結果:
Array
(
[0] => 1
[1] => 2
[2] => 4
[3] => 5
[4] => 7
)
[Process exited 0]
本作品採用《CC 協議》,轉載必須註明作者和本文連結