写一个js的快速排序算法
时间: 2023-04-07 21:00:39 浏览: 109
好的,我可以回答这个问题。下面是一个简单的 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 arr = [5, 3, 7, 2, 8, 4, 1, 6];
console.log(quickSort(arr)); // [1, 2, 3, 4, 5, 6, 7, 8]
```
这个算法的时间复杂度为 O(n log n),它通过递归将数组分成较小的部分,然后将它们合并在一起。
相关问题
帮我写一个js 快速排序算法
当然可以!下面是一个基于JavaScript实现的快速排序算法:
```javascript
function quickSort(arr) {
if (arr.length <= 1) {
return arr;
}
const pivot = arr[0];
const left = [];
const right = [];
for (let i = 1; i < arr.length; i++) {
arr[i] < pivot ? left.push(arr[i]) : right.push(arr[i]);
}
return [...quickSort(left), pivot, ...quickSort(right)];
}
```
这个算法的基本思想是:选择一个元素作为基准(一般选择第一个元素),然后将所有比基准小的元素放在左边,所有比基准大的元素放在右边,然后递归地对左右两个子数组进行排序,最终得到排序后的整个数组。
我希望这个算法可以帮助到你。如果你还有其他问题,可以继续问我哦!
能用JS写一个快速排序算法吗
当然可以!下面是使用JavaScript实现的快速排序算法示例:
```javascript
function quickSort(arr) {
if (arr.length <= 1) {
return arr;
}
const pivot = arr[Math.floor(arr.length / 2)];
const left = [];
const right = [];
for (let i = 0; i < arr.length; i++) {
if (i === Math.floor(arr.length / 2)) {
;
}
if (arr[i] < pivot) {
left.push(arr[i]);
} else {
right.push(arr[i]);
}
}
return [...quickSort(left), pivot, ...quickSort(right)];
}
// 示例用法
const unsortedArray = [5, 2, 9, 1, 3, 10];
const sortedArray = quickSort(unsortedArray);
console.log(sortedArray); // 输出 [1, 2, 3, 5, 9, 10]
```
这段代码定义了一个名为`quickSort`的函数,它接受一个数组作为参数,并返回一个经过快速排序后的新数组。算法通过选择一个基准元素(这里选择中间元素)将原始数组分成两个子数组,然后递归地对子数组进行排序,并将结果合并起来。
注意,这只是一个简单的快速排序实现示例,实际应用中可能需要考虑一些边界情况和性能优化。
阅读全文