美文网首页
快速排序

快速排序

作者: 城市里永远的学习者 | 来源:发表于2019-02-21 09:44 被阅读0次

    /**
    * 冒泡法:从首元素开始,用该元素与剩余元素挨个比较,按排序进行位置互换,像冒泡一样
    * 时间复杂度为 (n-1)n/2, 最差为O(n^2),最优为O(n)
    /
    static int[] bubbleSort(int[] array)
    {
    System.out.println("------------------冒泡法-----------------");
    for(int i=0;i<array.length;i++)
    {
    for (int j=i+1;j<array.length;j++) {
    int temp = array[i];
    if (array[i] > array[j]) {
    array[i] = array[j];
    array[j] = temp;
    }
    }
    }
    System.out.println("冒泡排序后顺序为:");
    for (int i=0;i<array.length;i++ ) {
    System.out.print(array[i]);
    }
    System.out.println("");
    return array;
    }
    /

    * 快速排序:快速排序通常明显比同为Ο(n log n)的其他算法更快,因此常被采用,
    * 而且快排采用了分治法的思想,所以在很多笔试面试中能经常看到快排的影子。
    * 可见掌握快排的重要性。
    * 时间复杂度 O(nlogn),性能更优
    * link: http://www.cnblogs.com/coderising/p/5708801.html
    * 文章说明:https://blog.csdn.net/yupi1057/article/details/81168902
    */
    public class Main {
    public static void main(String []args){
    System.out.println("Hello World");
    int[] a = {12,20,5,16,15,1,30,45,23,9};
    int start = 0;
    int end = a.length-1;
    sort(a,start,end);
    for(int i = 0; i<a.length; i++){
    System.out.println(a[i]);
    }
    }
    static void sort(int[] a,int low,int high){
    int start = low;
    int end = high;
    int key = a[low];
    while(end>start){
    //从后往前比较
    while(end>start&&a[end]>=key) //如果没有比关键值小的,比较下一个,直到有比关键值小的交换位置,然后又从前往后比较
    end--;
    if(a[end]<=key){
    swap(a,start,end);
    }
    //从前往后比较
    while(end>start&&a[start]<=key)//如果没有比关键值大的,比较下一个,直到有比关键值大的交换位置
    start++;
    if(a[start]>=key){
    swap(a,start,end);
    }
    //此时第一次循环比较结束,关键值的位置已经确定了。左边的值都比关键值小,右边的值都比关键值大,但是两边的顺序还有可能是不一样的,进行下面的递归调用
    }
    //递归
    if(start>low) sort(a,low,start-1);//左边序列。第一个索引位置到关键值索引-1
    if(end<high) sort(a,end+1,high);//右边序列。从关键值索引+1到最后一个
    }
    static void swap(int[] a,int i,int j)
    {
    int temp=a[j];
    a[j]=a[i];
    a[i]=temp;
    }
    }

    相关文章

      网友评论

          本文标题:快速排序

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