在JavaScript中实现快速排序可以通过递归方式来完成。下面是一个示例代码:
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) continue; // 跳过基准元素
if (arr[i] < pivot) {
left.push(arr[i]);
} else {
right.push(arr[i]);
}
}
// 递归对左右数组进行排序,并合并结果
return [...quickSort(left), pivot, ...quickSort(right)];
}
// 示例使用
const unsortedArray = [3, 6, 8, 10, 1, 2, 1];
const sortedArray = quickSort(unsortedArray);
console.log(sortedArray);
解释
-
基本条件检查:
- 如果数组的长度小于等于1,直接返回数组,因为这种情况下不需要排序。
-
选择基准元素:
- 使用数组的中间元素作为基准值(pivot)。
-
分割数组:
- 初始化两个空数组
left
和right
。 - 遍历原数组,除了基准元素之外,将小于基准值的元素放入
left
,大于或等于基准值的元素放入right
。
- 初始化两个空数组
-
递归排序和合并:
- 对
left
和right
数组递归地调用quickSort
。 - 合并排序后的左数组、基准元素和右数组。
- 对
这种实现方式是比较直观和简洁的,但对于非常大的数组或递归深度较大的情况,可以考虑优化基准选择和递归方式,以避免栈溢出或性能问题。
标签:right,递归,基准值,元素,js,算法,数组,排序 From: https://www.cnblogs.com/jocongmin/p/18301129