Skip to content

Commit 836264d

Browse files
author
Harry Dulaney
committed
ch 23 ex 4
1 parent 9d71ac8 commit 836264d

File tree

1 file changed

+91
-0
lines changed

1 file changed

+91
-0
lines changed

ch_23/Exercise23_04.java

+91
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,91 @@
1+
package ch_23;
2+
3+
import java.util.Arrays;
4+
5+
/**
6+
* 23.4 (Improve quick sort) The quick sort algorithm presented in the book selects the
7+
* first element in the list as the pivot. Revise it by selecting the median among the
8+
* first, middle, and last elements in the list.
9+
*/
10+
public class Exercise23_04 {
11+
public static void main(String[] args) {
12+
int[] list = {2, 3, 2, 5, 6, 1, -2, 3, 14, 12};
13+
quickSort(list);
14+
System.out.println("Sorted List: \n" + Arrays.toString(list));
15+
}
16+
17+
public static void quickSort(int[] list, int first, int last) {
18+
if (last > first) {
19+
int pivotIndex = partition(list, first, last);
20+
quickSort(list, first, pivotIndex - 1);
21+
quickSort(list, pivotIndex + 1, last);
22+
}
23+
}
24+
25+
public static void quickSort(int[] list) {
26+
quickSort(list, 0, list.length - 1);
27+
}
28+
29+
/**
30+
* Partition the array list[first..last]
31+
*/
32+
public static int partition(int[] list, int first, int last) {
33+
/* Exercise 23_04 */
34+
int pivotIdx = findMedian(list, first, last);
35+
int pivot = list[pivotIdx];
36+
int low = first; // Index for forward search
37+
int high = last; // Index for backward search
38+
39+
while (high > low) {
40+
// Search forward from left
41+
while (low <= high && list[low] <= pivot)
42+
low++;
43+
44+
// Search backward from right
45+
while (low <= high && list[high] > pivot)
46+
high--;
47+
48+
// Swap two elements in the list
49+
if (high > low) {
50+
int temp = list[high];
51+
list[high] = list[low];
52+
list[low] = temp;
53+
}
54+
}
55+
56+
while (high > first && list[high] >= pivot)
57+
high--;
58+
59+
// Swap pivot with list[high]
60+
if (pivot > list[high]) {
61+
list[pivotIdx] = list[high];
62+
list[high] = pivot;
63+
return high;
64+
} else {
65+
return pivotIdx;
66+
}
67+
}
68+
69+
/**
70+
* Exercise 23.04 solution
71+
*
72+
* @param list current list
73+
* @param first current left index
74+
* @param last current right index
75+
* @return index of the median between first, last, and mid index values
76+
*/
77+
static int findMedian(int[] list, int first, int last) {
78+
int midIdx = (first + last) / 2;
79+
int firstVal = list[first];
80+
int lastVal = list[last];
81+
int midVal = list[midIdx];
82+
int max = Math.max(Math.max(firstVal, lastVal), midVal);
83+
int min = Math.min(Math.min(firstVal, lastVal), midVal);
84+
if (midVal != min && midVal != max) return midIdx;
85+
else if (lastVal != min && lastVal != max) return last;
86+
else return first;
87+
88+
}
89+
}
90+
91+

0 commit comments

Comments
 (0)