Add ExchangeSort (#5029)

* added ExchangeSort and its testcases

---------

Co-authored-by: Piotr Idzik <65706193+vil02@users.noreply.github.com>
This commit is contained in:
VedantK 2024-02-01 13:55:31 +05:30 committed by GitHub
parent b99aeef674
commit 14b3f45f9f
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194
2 changed files with 55 additions and 0 deletions

View File

@ -0,0 +1,47 @@
package com.thealgorithms.sorts;
/**
* ExchangeSort is an implementation of the Exchange Sort algorithm.
*
* <p>
* Exchange sort works by comparing each element with all subsequent elements,
* swapping where needed, to ensure the correct placement of each element
* in the final sorted order. It iteratively performs this process for each
* element in the array. While it lacks the advantage of bubble sort in
* detecting sorted lists in one pass, it can be more efficient than bubble sort
* due to a constant factor (one less pass over the data to be sorted; half as
* many total comparisons) in worst-case scenarios.
* </p>
*
* <p>
* Reference: https://en.wikipedia.org/wiki/Sorting_algorithm#Exchange_sort
* </p>
*
* @author 555vedant (Vedant Kasar)
*/
class ExchangeSort implements SortAlgorithm {
/**
* Implementation of Exchange Sort Algorithm
*
* @param array the array to be sorted.
* @param <T> the type of elements in the array.
* @return the sorted array.
*/
@Override
public <T extends Comparable<T>> T[] sort(T[] array) {
for (int i = 0; i < array.length - 1; i++) {
for (int j = i + 1; j < array.length; j++) {
if (array[i].compareTo(array[j]) > 0) {
swap(array, i, j);
}
}
}
return array;
}
private <T> void swap(T[] array, int i, int j) {
T temp = array[i];
array[i] = array[j];
array[j] = temp;
}
}

View File

@ -0,0 +1,8 @@
package com.thealgorithms.sorts;
public class ExchangeSortTest extends SortingAlgorithmTest {
@Override
SortAlgorithm getSortAlgorithm() {
return new ExchangeSort();
}
}