快速排序
思路
- 分区:以数组中某个元素为基准,找出所有比他小的放前边,找出所有比他大的放后面;
- 递归:递归对基准前后的子数组进行分区
- 递归结束后返回排序后的数组
Array.prototype.quickSort = function () {
const rec = (arr) => {
if (arr.length <= 1) {
return arr
}
const left = [];
const right = [];
const mid = arr[0];
for (let i = 1; i < arr.length; i++) {
if (arr[i] < mid) {
left.push(arr[i])
} else {
right.push(arr[i])
}
}
return [...rec(left), mid, ...rec(right)];
}
const res = rec(this)
res.forEach((n, i) => {
this[i] = n
})
}
const arr = [6, 8, 5, 9, 3, 2, 1];
arr.quickSort();
console.log(arr);
时间复杂度:O(nlogn)
空间复杂度:O(n)
热门评论
老哥稳。