Refactored SelectionSort

This commit is contained in:
nik
2018-04-09 12:12:30 +03:00
parent 3c40937c66
commit 35f21f3b1b

View File

@ -1,73 +1,60 @@
package Sorts;
import static Sorts.SortUtils.*;
/** /**
* *
* @author Varun Upadhyay (https://github.com/varunu28) * @author Varun Upadhyay (https://github.com/varunu28)
* *
*/ */
public class SelectionSort { public class SelectionSort implements SortAlgorithm {
/** /**
* This method implements the Generic Selection Sort * This method implements the Generic Selection Sort
* *
* @param arr The array to be sorted * @param arr The array to be sorted
* @param n The count of total number of elements in array
* Sorts the array in increasing order * Sorts the array in increasing order
**/ **/
@Override
public static <T extends Comparable<T>> void SS(T[] arr, int n) { public <T extends Comparable<T>> T[] sort(T[] arr) {
int n = arr.length;
for (int i=0;i<n-1;i++) { for (int i = 0; i < n - 1; i++) {
// Initial index of min // Initial index of min
int min = i; int min = i;
for (int j=i+1;j<n;j++) { for (int j = i +1 ; j < n; j++) {
if (arr[j].compareTo(arr[min]) < 0) { if (less(arr[j], arr[min])) {
min = j; min = j;
} }
} }
// Swapping if index of min is changed // Swapping if index of min is changed
if (min != i) { if (min != i) {
T temp = arr[i]; swap(arr, i , min);
arr[i] = arr[min];
arr[min] = temp;
} }
} }
return arr;
} }
// Driver Program // Driver Program
public static void main(String[] args) { public static void main(String[] args) {
// Integer Input Integer[] arr = {4, 23, 6, 78, 1, 54, 231, 9, 12};
int[] arr1 = {4,23,6,78,1,54,231,9,12};
int n = arr1.length;
Integer[] array = new Integer[n]; SelectionSort selectionSort = new SelectionSort();
for (int i=0;i<n;i++) {
array[i] = arr1[i];
}
SS(array, n); Integer[] sorted = selectionSort.sort(arr);
// Output => 1 4 6 9 12 23 54 78 231 // Output => 1 4 6 9 12 23 54 78 231
for(int i=0; i<n; i++) print(sorted);
{
System.out.print(array[i]+"\t");
}
System.out.println();
// String Input // String Input
String[] array1 = {"c", "a", "e", "b","d"}; String[] strings = {"c", "a", "e", "b","d"};
n = array1.length; String[] sortedStrings = selectionSort.sort(strings);
SS(array1, n);
//Output => a b c d e //Output => a b c d e
for(int i=0; i<n; i++) print(sortedStrings);
{
System.out.print(array1[i]+"\t");
}
} }
} }