快排
2023-06-16 10:31:21
ts
function quickSort(arr) {
if (arr.length <= 1) {
return arr
}
// 选择基准元素
const pivotIndex = Math.floor(arr.length / 2)
const pivot = arr[pivotIndex]
// 分成两个子数组
const left = []
const right = []
for (let i = 0; i < arr.length; i++) {
if (i !== pivotIndex) {
if (arr[i] < pivot) {
left.push(arr[i])
} else {
right.push(arr[i])
}
}
}
// 递归排序子数组
return [...quickSort(left), pivot, ...quickSort(right)]
}
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
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25