二进制插入排序算法

时间:2010-06-19 14:09:41

标签: java algorithm

我尝试从here实现二进制插入排序算法。

这是我的代码:

public class binary_insertion {
    public static void sort(int a[],int n){
        for (int i=0;i<n;++i){
            int temp=a[i];
            int left=0;
            int right=i;
            while (left<right){
                int middle=(left+right)/2;
                if (temp>=a[middle])
                    left=right+1;
                else
                    right=middle;
            }
            for (int j=i;j>left;--j){
                swap(a,j-1,j);
            }
        }
    }

    public static void main(String[] args){
        int a[]=new int[]{12,10,34,23,9,7,8,5,6};
        sort(a,a.length);
        for (int i=0;i<a.length;i++){
            System.out.println(a[i]);
        }
    }
    public static void swap(int a[],int i,int j){
        int k=a[i];
        a[i]=a[j];
        a[j]=k;
    }
}

我的结果是:

5
7
6
9
8
10
12
34
23

2 个答案:

答案 0 :(得分:5)

首先要突出的是:

      while (left<right){
          int middle=(left+right)/2;
          if (temp>=a[middle])
              left=right+1;
          else
               right=middle;

您想要left = middle + 1

该代码适用于我的改变。

答案 1 :(得分:0)

此处可以使用Java的一些内置函数

public void sort(int array[]) 
    { 
        for (int i = 1; i < array.length; i++) 
        { 
            int x = array[i]; 

            // Find location to insert using binary search 
            int j = Math.abs(Arrays.binarySearch(array, 0, i, x) + 1); 

            //Shifting array to one location right 
            System.arraycopy(array, j, array, j+1, i-j); 

            //Placing element at its correct location 
            array[j] = x; 
        } 
    } 

public static void main(String[] args) 
    { 
        int[] arr = {37, 23, 0, 17, 12, 72, 31, 
                             46, 100, 88, 54 }; 

        sort(arr); 

        for(int i=0; i<arr.length; i++) 
            System.out.print(arr[i]+" "); 
    } 

输出为:
排序数组:
0 12 17 23 31 37 46 54 72 88 100