美文网首页
JS实现快速排序算法

JS实现快速排序算法

作者: 蓝醇 | 来源:发表于2019-06-06 16:33 被阅读0次

    采用了分治的思想
    (1)在数据集之中,选择一个元素作为"基准"(pivot)。
    (2)所有小于"基准"的元素,都移到"基准"的左边;所有大于"基准"的元素,都移到"基准"的右边。(相同的数可以到任一边)。在这个分区退出之后,该基准就处于数列的中间位置。这个称为分区(partition)操作;
    (3)对"基准"左边和右边的两个子集,递归地排序 。直到所有子集只剩下一个元素为止。

    function quickSort(arr) {
      if (arr.length <= 1) {
        return arr;
      } 
      let pivotIndex = Math.floor(arr.length / 2);
      let pivot = arr.splice(pivotIndex, 1)[0]; 
      let left = [];
      let right = [];
      for (let i = 0; i < arr.length; i++) {
        if (arr[i] < pivot) {
          left.push(arr[i]); 
        } else {
          right.push(arr[i]);
        }
      }
      return quickSort(left).concat([pivot], quickSort(right));
    }
    
    let array = [3, 44, 38, 5, 47, 15, 36, 26, 27, 2, 46, 4, 19, 50, 48];
    console.log(quickSort(array));
    

    相关文章

      网友评论

          本文标题:JS实现快速排序算法

          本文链接:https://www.haomeiwen.com/subject/aoeuxctx.html