java 快速排序

weixin_30639719發表於2020-04-05

【轉】http://blog.csdn.net/wangkuifeng0118/article/details/7286332  

 

說來感到慚愧,昨天看別人的部落格上面一一講了一些演算法,其實這些演算法在大學都學過,不過幾乎全部忘記了。雖然現在做java上層開發基本上用不到演算法,但是還是感覺演算法是一種思想,是一種靈魂,所以又不僅翻開了嚴蔚敏老師的資料結構,一個一個把以前忘記的演算法實現一遍。

 

         快速排序的基本思想

         通過一趟排序將待排序記錄分割成獨立的兩部分,其中一部分記錄的關鍵字均比另一部分關鍵字小,則分別對這兩部分繼續進行排序,直到整個序列有序。

       先看一下這幅圖:

把整個序列看做一個陣列,把第零個位置看做中軸,和最後一個比,如果比它小交換,比它大不做任何處理;交換了以後再和小的那端比,比它小不交換,比他大交換。這樣迴圈往復,一趟排序完成,左邊就是比中軸小的,右邊就是比中軸大的,然後再用分治法,分別對這兩個獨立的陣列進行排序。

    

[html] view plaincopy
 
  1. public int getMiddle(Integer[] list, int low, int high) {  
  2.         int tmp = list[low];    //陣列的第一個作為中軸  
  3.         while (low high) {  
  4.             while (low high && list[high] > tmp) {  
  5.                 high--;  
  6.             }  
  7.             list[low] = list[high];   //比中軸小的記錄移到低端  
  8.             while (low high && list[low] tmp) {  
  9.                 low++;  
  10.             }  
  11.             list[high] = list[low];   //比中軸大的記錄移到高階  
  12.         }  
  13.         list[low] = tmp;              //中軸記錄到尾  
  14.         return low;                   //返回中軸的位置  
  15.     }  


       遞迴形式的分治排序演算法:

 

      

[html] view plaincopy
 
  1. public void _quickSort(Integer[] list, int low, int high) {  
  2.         if (low high) {  
  3.             int middle = getMiddle(list, low, high);  //將list陣列進行一分為二  
  4.             _quickSort(list, low, middle - 1);        //對低字表進行遞迴排序  
  5.             _quickSort(list, middle + 1, high);       //對高字表進行遞迴排序  
  6.         }  
  7.     }  


  

[html] view plaincopy
 
  1. public void quick(Integer[] str) {  
  2.         if (str.length > 0) {    //檢視陣列是否為空  
  3.             _quickSort(str, 0, str.length - 1);  
  4.         }  
  5.     }  


   編寫測試方法:

 

 

[html] view plaincopy
 
  1. public class TestMain {  
  2.   
  3.     /**  
  4.      * @param args  
  5.      */  
  6.     public static void main(String[] args) {  
  7.         // TODO Auto-generated method stub  
  8.          Integer[] list={34,3,53,2,23,7,14,10};  
  9.          QuicSort qs=new QuicSort();  
  10.          qs.quick(list);  
  11.          for(int i=0;i<list.length;i++){  
  12.              System.out.print(list[i]+" ");  
  13.          }  
  14.          System.out.println();  
  15.     }  
  16.   
  17. }  

     看一下列印結果吧:

 

     2 3 7 10 14 23 34 53 
    

     這樣就排序好了,快速排序是對氣泡排序的一種改進,平均時間複雜度是O(nlogn)。

轉載於:https://www.cnblogs.com/royalisme/p/4842196.html

相關文章