快速排序
快速排序(Quicksort),又称划分交换排序(partition-exchange sort),通过一趟排序将要排序的数据分割成独立的两部分,其中一部分的所有数据都比另外一部分的所有数据都要小,然后再按此方法对这两部分数据分别进行快速排序,整个排序过程可以递归进行,以此达到整个数据变成有序序列。
步骤为:
1.从数列中挑出一个元素,称为"基准"(pivot);
2.重新排序数列,所有元素比基准值小的摆放在基准前面,所有元素比基准值大的摆在基准的后面(相同的数可以到任一边)。在这个分区结束之后,该基准就处于数列的中间位置。这个称为分区(partition)操作。
3.递归地(recursive)把小于基准值元素的子数列和大于基准值元素的子数列排序。
递归的最底部情形,是数列的大小是零或一,也就是永远都已经被排序好了。虽然一直递归下去,但是这个算法总会结束,因为在每次的迭代(iteration)中,它至少会把一个元素摆到它最后的位置去。
1.分析
2.代码
public class QuickSort {
public static void main(String[] args) {
int[] a = {30, 40, 60, 10, 20, 50};
sort(a,0,a.length-1);
print(a);
}
static void sort(int[] arr, int leftBound, int rightBound) {
if(leftBound>=rightBound){return;}
int mid=partition(arr,leftBound,rightBound);
sort(arr,leftBound,mid-1);
sort(arr,mid+1,rightBound);
}
static int partition(int[] arr, int leftBound, int rightBound) {
int pivot=arr[leftBound];
int left=leftBound+1;
int right=rightBound;
while (left<=right){
while (left<=right && arr[left]<=pivot){
left++;
}
while (left<=right && arr[right]>pivot){
right--;
}
if (left<right){
swap(arr,left,right);
}
}
swap(arr,leftBound,right);
return right;
}
static void swap(int[] arr, int i, int j) {
int temp = arr[i];
arr[i] = arr[j];
arr[j] = temp;
}
static void print(int[] arr) {
for (int i = 0; i < arr.length; i++) {
System.out.print(arr[i] + " ");
}
}
}
3.复杂度
最优时间复杂度:O(nlogn)
最坏时间复杂度:O(n2)
平均时间复杂度:O(nlogn)
空间时间复杂度:O(nlogn)
稳定性:不稳定