BogoSort也称为置换排序,愚蠢排序,慢速排序,shot弹枪排序或猴子排序是一种基于生成和测试范式的特别无效的算法。该算法会连续生成其输入的排列,直到找到已排序的排列。(Wiki)
例如,如果将bogosort用于对一副纸牌进行排序,则将包括检查该纸牌是否井然有序;如果不是,则将纸牌扔到空中,随机拿起纸牌,然后重复直到对卡片组进行排序为止的过程。
伪代码:
while not Sorted(list) do
shuffle (list)
done
// C++ implementation of Bogo Sort
#include
using namespace std;
// To check if array is sorted or not
bool isSorted(int a[], int n)
{
while (--n > 1)
if (a[n] < a[n - 1])
return false;
return true;
}
// To generate permuatation of the array
void shuffle(int a[], int n)
{
for (int i = 0; i < n; i++)
swap(a[i], a[rand() % n]);
}
// Sorts array a[0..n-1] using Bogo sort
void bogosort(int a[], int n)
{
// if array is not sorted then shuffle
// the array again
while (!isSorted(a, n))
shuffle(a, n);
}
// prints the array
void printArray(int a[], int n)
{
for (int i = 0; i < n; i++)
printf("%d ", a[i]);
printf("\n");
}
// Driver code
int main()
{
int a[] = { 3, 2, 5, 1, 0, 4 };
int n = sizeof a / sizeof a[0];
bogosort(a, n);
printf("Sorted array :\n");
printArray(a, n);
return 0;
}
输出:
Sorted array :
0 1 2 3 4 5
请参阅有关BogoSort或Permutation Sort的完整文章,以了解更多详细信息!
想要从精选的最佳视频中学习并解决问题,请查看有关从基础到高级C++的C++基础课程以及有关语言和STL的C++ STL课程。要完成从学习语言到DS Algo等的更多准备工作,请参阅“完整面试准备课程” 。