-
Notifications
You must be signed in to change notification settings - Fork 143
/
Copy pathselectionSort.php
47 lines (38 loc) · 1.3 KB
/
selectionSort.php
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
<?php
/**
* 选择排序
* 工作原理是每次从待排序的元素中的第一个元素设置为最小值,
* 遍历每一个没有排序过的元素,如果元素小于现在的最小值,
* 就将这个元素设置成为最小值,遍历结束就将最小值和第一个没有排过序交换位置,
* 这样的遍历需要进行元素个数-1次
* 这是一个不稳定的排序算法(排序后相对次序改变了)
* 对于选择排序如何找到最小元是关键 所以我们需要使用堆排序
*/
require_once __DIR__ . '/../uniqueRandom.php';
function selectionSort(&$arr)
{
$count = count($arr);
for ($j = 0; $j < $count; $j++) {
//把第一个没有排过序的元素设置为最小值
$minPos = $j;
//遍历每一个没有排过序的元素
for ($i = $j + 1; $i < $count; $i++) {
//如果这个值小于最小值
if ($arr[$i] < $arr[$minPos]) {
//把最小值的位置设置为这个元素的位置
$minPos = $i;
}
}
//内循环结束把最小值和没有排过序的元素交换
if ($minPos != $j) {
list($arr[$j], $arr[$minPos]) = [$arr[$minPos], $arr[$j]];
}
}
}
$arr = uniqueRandom(1, 100000, 5000);
$start = microtime(true);
selectionSort($arr);
$end = microtime(true);
$used = $end - $start;
echo "used $used s" . PHP_EOL;
//used 1.1448910236359 s