下面是一個簡單的Java插入排序的實現代碼示例:
public class InsertionSort {
public static void insertionSort(int[] arr) {
int n = arr.length;
for (int i = 1; i < n; i++) {
int key = arr[i];
int j = i - 1;
while (j >= 0 && arr[j] > key) {
arr[j + 1] = arr[j];
j--;
}
arr[j + 1] = key;
}
}
public static void main(String[] args) {
int[] arr = {12, 11, 13, 5, 6};
insertionSort(arr);
System.out.println("Sorted array:");
for (int num : arr) {
System.out.print(num + " ");
}
}
}
在上面的代碼中,insertionSort
方法實現了插入排序算法。在main
方法中創建一個整數數組,并調用insertionSort
方法對數組進行排序,然后打印排序后的數組。