选择排序算法是一种原址比较排序算法。选择排序大致的思路是找到数据结构中的最小值并 将其放置在第一位,接着找到第二小的值并将其放在第二位,以此类推。
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
| function selectionSort(array) { const { length } = array; let indexMin; for (let i = 0; i < length - 1; i++) { indexMin = i; for (let j = i; j < length; j++) { if (array[indexMin] > array[j]) { indexMin = j; } } if (i !== indexMin) { swap(array, i, indexMin); } } return array; }
function swap(array, a, b) { const temp = array[a]; array[a] = array[b]; array[b] = temp; }
const arr = [9, 3, 7, 4, 6];
console.log(selectionSort(arr));
|