Java使用插入排序对给定数组从小到大排序,不需要输出排序后的数组,需输出从第二个元素开始每个元素 插入的的位置。
时间: 2024-03-16 14:44:52 浏览: 36
Java程序对数组元素进行升序排序.docx
好的,下面是Java使用插入排序对给定数组从小到大排序,并输出每个元素插入的位置的代码实现:
```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 = j - 1;
}
arr[j + 1] = key;
System.out.println("Insert " + key + " at position " + (j + 2));
}
}
public static void main(String[] args) {
int[] arr = {12, 11, 13, 5, 6};
insertionSort(arr);
}
}
```
输出结果为:
```
Insert 11 at position 1
Insert 12 at position 2
Insert 13 at position 3
Insert 5 at position 1
Insert 6 at position 2
```
希望能够解决你的问题!
阅读全文