归并排序的属于分治算法的一种,通过将一段数组分解成为两两组合的小数组,在进行比较,最后合并比较,通过这种方式达到排序的效果
归并排序的整体思路:
1:首先是使用递归的方式,通过不断的将数组分解成小数组,在进行合并比较,思路是首先寻找中间数,然后分别对中间数的左数组和右数组进行递归,最后得到两两组合的数组,再将两两组合的数组进行排序
2:进行比较的过程,首先构建一个新的数组用以存放排序数组,待排序数组由两个已排序数组组成,通过分别比较,较小的输存入到新的数组中
public class MergingSort {
/**
* @param args
*/
public static void main(String[] args) {
// TODO Auto-generated method stub
int a[]={49,38,65,97,65,97,76,13,27,49,78,34,12,64,5,4,62,99,98,54};
sort(a,0,a.length-1);
for(int i=0;i<a.length;i++){
System.out.println(a[i]);
}
}
private static void sort(int[] a,int left,int right) {
if(left<right){
int mid=(left+right)/2;
sort(a,left,mid);
sort(a,mid+1,right);
sort2(a,left,mid,right);
}
}
private static void sort2(int[] a, int left, int mid, int right) {
// TODO Auto-generated method stub
int[] arr=new int[a.length];
int temp=left;
int center=mid+1;
int tem=left;
while(left<=mid&¢er<=right){
if(a[left]<=a[center]){
arr[temp++]=a[left++];
}else{
arr[temp++]=a[center++];
}
}
while(left<=mid){
arr[temp++]=a[left++];
}
while(center<=right){
arr[temp++]=a[center++];
}
while(tem<=right){
a[tem]=arr[tem++];
}
}
}