X475: Sorting - Insertion Sort

Finish the code to complete the insertion sort method. Each comment denoted with //_________________ is a single line that needs to be filled out.

Examples:

insertionSort({2, 0, 3, 4, 8, 10, 1}) -> {0, 1, 2, 3, 4, 8, 10}

Your Answer:

x
 
1
public int[] insertionSort(int[] arr)
2
{
3
     //Iterate through each index of the array
4
     for (int i=1; i<arr.length; ++i)
5
     {
6
          //Key value is set to the current index of the outer loop
7
          int key = arr[i];
8
9
          //Index to begin comparisons to key value
10
          int j = i-1;
11
12
          //Iterate backwards through the array
13
          //Search for a value larger than the key
14
          while (j>=0 && arr[j] > key)
15
          {
16
               //Shift values that do not fit the condition
17
               //This will make room for the key once we find a place
18
               //____________________________
19
20
               //Decrement j
21
               //___________________________
22
          }
23
24
          //Using the current value of j, place the key in it's new position
25
          //______________________________
26
     }
27
     return arr;
28
}
29

Feedback

Your feedback will appear here when you check your answer.