1、快速排序原理:
首先找到一個基準,通常以第一個元素做爲基準(pivot),而後先從右向左搜索, 若是發現比pivot小,則和pivot交換,而後從左向右搜索,若是發現比pivot大,則和pivot交換,以此循環,一輪循環完後,pivot左邊的都比它小,而右邊的都比它大, 此時pivot的位置就是排好序後的最終位置,此時pivot將數組劃分爲左右兩部分,每部分繼續上面的排序操做(推薦遞歸方式)。
2、代碼實現:
排序前數組爲:[1, 3, 2, 8, 5, 10, 22, 11, 2, 18]
排序後數組爲:[1, 2, 2, 3, 5, 8, 10, 11, 18, 22]數組
/**
* 快速排序
*
* @author wxf
* @date 2019/1/14 9:22
**/
public class FastSort {
public static void main(String[] args) {
int[] a = {1, 3, 2, 8, 5, 10, 22, 11, 2, 18};
quickSort(a, 0, a.length - 1);
System.out.println(Arrays.toString(a));
}
/**
* 快速排序
*
* @param arr 數組
* @param low 基準數位置
* @param high 數組長度
*/
private static void quickSort(int[] arr, int low, int high) {
int start = low;
//arr[low]爲基準數
int key = arr[low];
int end = high;
while (start < end) {
//右->左查找,找到比基準數小的值則交換位置
while (arr[end] >= key && end > start) {
end--;
}
// if (arr[end] < key) {
// int temp = arr[end];
// arr[end] = key;
// arr[low] = temp;
// }
arr[start] = arr[end];
//左->右查找,找到比基準數大的值則交換位置
while (arr[start] <= key && end > start) {
start++;
}
// if (arr[start] > key) {
// int temp = arr[start];
// arr[start] = key;
// arr[end] = temp;
// }
arr[end] = arr[start];
}
arr[start] = key;
//遞歸
if (start > low) {
quickSort(arr, low, start - 1);
}
if (end < high) {
quickSort(arr, start + 1, high);
}
}
}
複製代碼