public static void insertionSort(int[] arr) {
// each outer loop iteration inserts arr[i] into the correct location of
// the already-sorted sub-list: arr[0] through arr[i-1]
for (int i = 1; i < arr.length; i++) {
int valueToInsert = arr[i];
int loc = 0;
while (loc < i && arr[loc] < valueToInsert) {
loc++;
}
for (int j = loc; j < i; j++) {
arr[j+1] = arr[j]; // some issue with this
// loop as I'm overriding the next element
}
arr[loc] = valueToInsert; //// put the value
//in correct location in sub-list
}
}
上面是我的插入排序代码,它无法正常工作,下面给出了示例输入
input [3, 9, 2]
expected output is [2, 3, 9]
But I'm getting [2, 3, 3]
请让我详细了解有关插入排序的问题,并征求您的快速回复
答案 0 :(得分:0)
问题是
for (int j = loc; j < i; j++) {
arr[j+1] = arr[j];
}
数组中的先前值将覆盖下一个值。它应该是
for (int j = i-1; j >= loc; j--) {
arr[j+1] = arr[j];
}
答案 1 :(得分:0)
public class InsertionSort {
public static void main(String...strings){
int[] array= {3, 9, 2};
intsertionSort(array);
}
public static void intsertionSort(int[] arr){
for (int i=1; i<arr.length;i++){
int valueToInsert =arr[i];
int j;
//below this is error point in your code
for(j=i-1;j>=0 && valueToInsert <arr[j];j--)
arr[j+1]=arr[j];
arr[j+1]=valueToInsert;
}
//used for testing the function
for(int a:arr){
System.out.println(a);
}
}
}
输入[3, 9, 2]
输出为[2, 3, 9]
以下是IdeOne Link