把a[i]插入到a[0],a[1],...,a[i-1]之中的具体实施过程为:先把a[i]赋值给变量t,然后将t依次与a[i-1],a[i-2],...进行比较,将比t大的元素右移一个位置,直到发现某个j(0<=j<=i-1),使得a[j]<=t或j为(-1),把t赋值给a[j+1]。
以下是直接插入排序算法的JAVA代码实现:
package com.fit.direct.insert; public class DirectInsertSort { /** * 直接插入排序算法的基本思想是:把n个待排序的元素看成为一个有序表和一个无序表,开始时有序表中只包含一个元素,无序表中包含有n-1个元素, * 排序过程中每次从无序表中取出第一个元素,将它插入到有序表中的适当位置,使之成为新的有序表,重复n-1次可完成排序过程。 * * 把a[i]插入到a[0],a[1],...,a[i-1]之中的具体实施过程为:先把a[i]赋值给变量t,然后将t依次与a[i-1],a[i-2], * ...进行比较,将比t大的元素右移一个位置,直到发现某个j(0<=j<=i-1),使得a[j]<=t或j为(-1),把t赋值给a[j+1]。 * * 此种方法用for循环处理 * * @param array */ public static void sort(int[] array) { int length = array.length; int temp = 0; int local_i = 0; for (int i = 0; i < length - 1; i++) { local_i = i; for (int j = i + 1; j > 0; j--) { if (array[j] < array[local_i]) { temp = array[local_i]; array[local_i] = array[j]; array[j] = temp; } local_i--; } print(array); } } /** * 此种方法用while循环处理。 * * @param array */ public static void sort1(int[] array) { int length = array.length; int temp = 0; int j = 0; for (int i = 0; i < length - 1; i++) { j = i; while (j >= 1 && array[j] < array[j - 1]) { temp = array[j - 1]; array[j - 1] = array[j]; array[j] = temp; j--; } print(array); } } public static void print(int[] array) { StringBuffer sb = new StringBuffer("["); for (int i = 0; i < array.length; i++) { if (i < array.length - 1) { sb.append(array[i]).append(","); } else { sb.append(array[i]); } } sb.append("]"); System.out.println(sb); } public static void main(String[] args) { int[] array = new int[] { 54, 3, 11, 34, 12, 8, 19 }; print(array); System.out.println("====================="); // sort(array); sort1(array); print(array); } }
运行结果如下:
[54,3,11,34,12,8,19] ===================== [54,3,11,34,12,8,19] [3,54,11,34,12,8,19] [3,11,54,34,12,8,19] [3,11,34,54,12,8,19] [3,11,12,34,54,8,19] [3,8,11,12,34,54,19] [3,8,11,12,34,54,19]