JavaAlgorithms/Sorts/BogoSort.java

53 lines
1.2 KiB
Java
Raw Normal View History

2018-11-14 01:15:47 +08:00
package Sorts;
2018-04-09 20:24:16 +08:00
import java.util.Random;
/**
* @author Podshivalov Nikita (https://github.com/nikitap492)
* @see SortAlgorithm
*/
2018-04-10 02:14:40 +08:00
public class BogoSort implements SortAlgorithm {
2018-04-09 20:24:16 +08:00
2020-10-24 18:23:28 +08:00
private static final Random random = new Random();
2018-04-09 20:24:16 +08:00
2020-10-24 18:23:28 +08:00
private static <T extends Comparable<T>> boolean isSorted(T[] array) {
for (int i = 0; i < array.length - 1; i++) {
if (SortUtils.less(array[i + 1], array[i])) return false;
2018-04-09 20:24:16 +08:00
}
2020-10-24 18:23:28 +08:00
return true;
}
2018-04-09 20:24:16 +08:00
2020-10-24 18:23:28 +08:00
// Randomly shuffles the array
private static <T> void nextPermutation(T[] array) {
int length = array.length;
2018-04-09 20:24:16 +08:00
2020-10-24 18:23:28 +08:00
for (int i = 0; i < array.length; i++) {
int randomIndex = i + random.nextInt(length - i);
SortUtils.swap(array, randomIndex, i);
2018-04-09 20:24:16 +08:00
}
2020-10-24 18:23:28 +08:00
}
2018-04-09 20:24:16 +08:00
2020-10-24 18:23:28 +08:00
public <T extends Comparable<T>> T[] sort(T[] array) {
while (!isSorted(array)) {
nextPermutation(array);
2018-04-09 20:24:16 +08:00
}
2020-10-24 18:23:28 +08:00
return array;
}
2018-04-09 20:24:16 +08:00
2020-10-24 18:23:28 +08:00
// Driver Program
public static void main(String[] args) {
// Integer Input
Integer[] integers = {4, 23, 6, 78, 1, 54, 231, 9, 12};
2018-04-09 20:24:16 +08:00
2020-10-24 18:23:28 +08:00
BogoSort bogoSort = new BogoSort();
2018-04-09 20:24:16 +08:00
2020-10-24 18:23:28 +08:00
// print a sorted array
SortUtils.print(bogoSort.sort(integers));
2018-04-09 20:24:16 +08:00
2020-10-24 18:23:28 +08:00
// String Input
String[] strings = {"c", "a", "e", "b", "d"};
2018-04-09 20:24:16 +08:00
2020-10-24 18:23:28 +08:00
SortUtils.print(bogoSort.sort(strings));
}
2018-04-09 20:24:16 +08:00
}