一. 快速排序的基本思想
快速排序使用分治的思想,通过一趟排序将待排序列分割成两部分,其中一部分记录的关键字均比另一部分记录的关键字小。之后分别对这两部分记录继续进行排序,以达到整个序列有序的目的。
二. 快速排序的三个步骤
1) 选择基准:在待排序列中,按照某种方式挑出一个元素,作为 “基准”(pivot);
2) 分割操作:以该基准在序列中的实际位置,把序列分成两个子序列。此时,在基准左边的元素都比该基准小,在基准右边的元素都比基准大;
3) 递归地对两个序列进行快速排序,直到序列为空或者只有一个元素;
三. 选择基准元的方式
对于分治算法,当每次划分时,算法若都能分成两个等长的子序列时,那么分治算法效率会达到最大。也就是说,基准的选择是很重要的。选择基准的方式决定了两个分割后两个子序列的长度,进而对整个算法的效率产生决定性影响。
最理想的方法是,选择的基准恰好能把待排序序列分成两个等长的子序列。
图解:
快速排序:平均时间复杂度log2(n)*n,所有内部排序方法中最高好的,大多数情况下总是最好的。
稳定性:不稳定
在中枢元素和a[j]交换的时候,很有可能把前面的元素的稳定性打乱,比如序列为 5 3 3 4 3 8 9 10 11
现在中枢元素5和3(第5个元素,下标从1开始计)交换就会把元素3的稳定性打乱。
所以快速排序是一个不稳定的排序算法
四、代码实现
1.java实现
package sort;
public class quickSort {
public static void printArray(int[] a) {
for(int i=0;i<a.length;i++){
System.out.print(a[i]+" ");
}
System.out.println("");
}
public static void sort(int a[],int low,int high){
if(low>=high){
return;
}
int temp=a[low];
int rlow=low;
int rhigh=high;
int tag=0;//标志位,0移动high指针,1移动low指针
while(high>low){
if(tag==0){
if(a[high]<temp){
a[low]=a[high];
low++;
tag=1;
}
else{
high--;
}
}
else{
if(a[low]>temp){
a[high]=a[low];
high--;
tag=0;
}
else{
low++;
}
}
}
a[low]=temp;
sort(a,rlow,low-1);
sort(a,low+1,rhigh);
}
public static void main(String[] args){
int[] a={56,23,41,78,45,13,88,17,65};
printArray(a);
quickSort.sort(a,0,a.length-1);
printArray(a);
}
}
实现效果如下:
2.js实现
二、冒泡排序
public class pubble {
public static void main(String[] args){
int a[]={2,8,23,56,12,63};
for(int i=0;i<a.length-1;i++){
for(int j=0;j<a.length-i-1;j++){
if(a[j]>a[j+1]){
int temp=a[j];
a[j]=a[j+1];
a[j+1]=temp;
}
}
}
for(int i=0;i<a.length;i++){
System.out.print(a[i]+",");
}
System.out.println();
}
}
3.直接插入排序
package sort;
public class insertSort {
public static void main(String[] args){
int a[]={23,14,8,26,31,25};
int i,j;
for(i=1;i<a.length;i++){
int temp=a[i];
for(j=i-1;j>=0;j--){
if(a[j]>temp){
a[j+1]=a[j];
}
else break;
}
a[j+1]=temp;
}
for(int k=0;k<a.length;k++){
System.out.print(a[k]+" ");
}
System.out.println();
}
}