為了方便擴展,先引入一個抽象的基礎類:
[html]
- package com.andyidea.algorithms;
-
- /**
- * 排序抽象基礎類
- * @author Andy.Chen
- *
- * @param <T>
- */
- public abstract class Sorter<T extends Comparable<T>> {
-
- public abstract void sort(T[] array,int from,int len);
-
- public final void sort(T[] array){
- sort(array,0,array.length);
- }
-
- protected final void swap(T[] array,int from,int to){
- T tmp = array[from];
- array[from] = array[to];
- array[to] = tmp;
- }
-
- }
【三】
選擇排序:選擇排序(Selection sort)是一種簡單直觀的排序算法,其平均時間復雜度為O(n
2)。它的工作原理如下。首先在未排序序列中找到最小元素,存放到排序序列的起始位置,然後,再從剩余未排序元素中繼續尋找最小元素,然後放到排序序列末尾。以此類推,直到所有元素均排序完畢。
選擇排序算法源碼如下:
[html]
- package com.andyidea.algorithms;
-
- /**
- * 選擇排序法
- * @author Andy.Chen
- *
- * @param <T>
- */
- public class SelectionSort<T extends Comparable<T>> extends Sorter<T> {
-
- @Override
- public void sort(T[] array, int from, int len) {
- for(int i=from;i<from+len;i++){
- int smallestindex = i;
- int j = i;
- for(; j<from+len; j++){
- if(array[j].compareTo(array[smallestindex])<0){
- smallestindex = j;
- }
- }
- swap(array, i, smallestindex);
- }
- }
-
- }
選擇排序的
交換操作介於0和(
n − 1)次之間。選擇排序的
比較操作為
n(
n − 1) / 2次之間。選擇排序的
賦值操作介於0和3(
n − 1)次之間。
【四】快速排序:快速排序使用分治法(Divide and conquer)策略來把一個串行(list)分為兩個子串行(sub-lists)。
快速排序算法的具體操作描述如下:
- 從數列中挑出一個元素,稱為 "基准"(pivot),
- 重新排序數列,所有元素比基准值小的擺放在基准前面,所有元素比基准值大的擺在基准的後面(相同的數可以到任一邊)。在這個分區退出之後,該基准就處於數列的中間位置。這個稱為分區(partition)操作。
- 遞歸地(recursive)把小於基准值元素的子數列和大於基准值元素的子數列排序。
遞歸的最底部情形,是數列的大小是零或一,也就是永遠都已經被排序好了。雖然一直遞歸下去,但是這個算法總會退出,因為在每次的迭代(iteration)中,它至少會把一個元素擺到它最後的位置去。
快速排序算法源碼如下:
[html]
- package com.andyidea.algorithms;
-
- /**
- * 快速排序法
- * @author Andy.Chen
- *
- * @param <T>
- */
- public class QuickSort<T extends Comparable<T>> extends Sorter<T> {
-
- @Override
- public void sort(T[] array, int from, int len) {
- quick_sort(array, from, from+len-1);
- }
-
- private void quick_sort(T[] array,int from, int to){
- if(to-from < 1)
- return;
- int pivot = selectPivot(array, from, to);
- pivot = partition(array, from, to, pivot);
-
- quick_sort(array, from, pivot-1);
- quick_sort(array, pivot+1, to);
- }
-
- /**
- * 選擇基准元素
- * @param array
- * @param from
- * @param to
- * @return
- */
- private int selectPivot(T[] array,int from, int to){
- return (from+to)/2;
- }
-
- /**
- * 分區操作
- * @param array
- * @param from
- * @param to
- * @param pivot
- * @return
- */
- private int partition(T[] array, int from, int to, int pivot){
- T tmp = array[pivot];
- array[pivot] = array[to];
- while(from != to){
- while(from<to && array[from].compareTo(tmp)<=0)
- from++;
- if(from<to){
- array[to] = array[from];
- to--;
- }
-
- while(from<to && array[to].compareTo(tmp)>=0)
- to--;
- if(from<to){
- array[from] = array[to];
- from++;
- }
- }
- array[from] = tmp;
- return from;
- }
-
- }