I am having this assignment to develop a program that implement quicksort algorithm with the first element in the array as pivot value. I already manage to do the sorting by using 20 elements in an array.
Now, I want to calculate number of comparison and moves occur during sorting process. I already try this code but the output doesn't seem right. The comparison and moves keep print out repeatedly. How can I print out the moves and comparison only once? Hopefully someone willing to help me. Thanks in advance.
Code of comparison and moves :
int partition1(int arr[], int start, int end) { //select first element as pivot value
int pivot = arr[start];
int L = start + 1;
int R = end;
int temp = 0;
int compr = 0;
int move = 0;
while (true) {
while ((L < R) && (arr[R] >= pivot)) { //bringing R to the left
--R;
compr++;
}
while ((L < R) && (arr[L] < pivot)) { //bringing R to the right
++L;
compr++;
}
if (L == R) { //If they coincide
break;
}
//swapping L and R
temp = arr[L];
arr[L] = arr[R];
arr[R] = temp;
move += 2;
}
cout << "Comparison : " << compr << endl;
cout << "Moves : " << move << endl;
if (pivot <= arr[L]) { //special case
return start;
}
else {
arr[start] = arr[L]; //real pivot
arr[L] = pivot;
return L;
} }
and this one is quick sort function :
void quickSort(int arr[], int start, int end) {
int boundary;
if (start < end) {
boundary = partition1(arr, start, end);
quickSort(arr, start, boundary - 1);
quickSort(arr, boundary + 1, end);
} }
The simplest way is to define
compr
andmove
as global variables (only for debugging purposes) and then print values in the end of the run.