So i had to make a quicksort algorithm using pivot as the middle element of the array. I did that all fine. But now its asking me to modify the quickSort algorithm so that when any of the sublists reduces to less than 20, then i sort the sublist using an insertionSort.
I seemed to have got it working. It compiles and sorts the array perfectly, However I'm not sure if i did it right cuz the difference in CPU time between the modified quicksort and the normal quicksort arent that different. My uncertainty is in the recursive method recQuickSortC where i have the ">= 20" statements. I'm not sure if that's the right way to implement the modifcation, it could be completely wrong, all i know is that it sorts it correctly. Any help would be nice, thanks.
Here's my modified quickSort algorithm:
public void quickSortC(T[] list, int length)
{
recQuickSortC(list, 0, length - 1);
}//end quickSort
private void recQuickSortC(T[] list, int first, int last)
{
if (first < last)
{
int pivotLocation = partitionA(list, first, last);
if ((pivotLocation - 1) >= 20)
recQuickSortC(list, first, pivotLocation - 1);
else
insertionSort(list,pivotLocation -1);
if ((pivotLocation - 1) >= 20)
recQuickSortC(list, pivotLocation + 1, last);
else
insertionSort(list, pivotLocation + 1);
}
}//end recQuickSort
private int partitionA(T[] list, int first, int last)
{
T pivot;
int smallIndex;
swap(list, first, (first + last) / 2);
pivot = list[first];
smallIndex = first;
for (int index = first + 1; index <= last; index++)
{
if (list[index].compareTo(pivot) < 0)
{
smallIndex++;
swap(list, smallIndex, index);
}
}
swap(list, first, smallIndex);
return smallIndex;
}//end partition
public void insertionSort(T[] list, int length)
{
for (int unsortedIndex = 1; unsortedIndex < length;
unsortedIndex++)
{
Comparable<T> compElem =
(Comparable<T>) list[unsortedIndex];
if (compElem.compareTo(list[unsortedIndex - 1]) < 0)
{
T temp = list[unsortedIndex];
int location = unsortedIndex;
do
{
list[location] = list[location - 1];
location--;
}
while (location > 0 &&
temp.compareTo(list[location - 1]) < 0);
list[location] = (T) temp;
}
}
}//end insertionSort
If you noticed theres a bunch of A's,B's, and C's next to the methods becuase i have to do alot of different quicksort algorithms. I put in all the code that is used within the algorithm. Let me know if u need more of it thanks.