stooge-sort的主要思想是分治,将数组划分为三个区间,对前两个区间中的第一个元素和最后一个元素比较,如果第一个大于最后一个互换位置,然后对后两个区间中的第一个和最后一个元素比较,如果第一个大于最后一个互换位置,然后再对前两个区间中的第一个元素和最后一个元素比较,如果第一个大于最后一个互换位置,以上所述的步骤是递归执行的,最底层的递归是三个元素的比较:比如为3,1,2.先比较3,1, ,并互换,次序为1,3 ,2 ,再比较3,2并互换,次序为1,2,3,最后再比较1,2,无需互换。
渐进递归式为:T(n)=2T(2/3*n)+O(1),根据主定理得到
执行实现复杂度为O(n^2.71) (:此计算为网上搜的)。
实现代码如下:
//Stooge Sort //if the first element bigger than the last,exchange them,and partition the array into //three parts,rucusively use StoogeSort sort the first two-thirds,the last two thirds and //the first two-thirds #include<iostream> using namespace std; void StoogeSort(int a[],int i,int j) { int temp,k; if(a[i]>=a[j]) { temp=a[i]; a[i]=a[j]; a[j]=temp; } if(i+1>=j) { return ; } k=(j-i+1)/3; StoogeSort(a,i,j-k); StoogeSort(a,i+k,j); StoogeSort(a,i,j-k); } int main() { int a[10]={2,6,5,3,4,1,8,9,7,10}; StoogeSort(a,0,9); int i; for(i=0;i<10;i++) { cout<<a[i]<<" "; } cout<<endl; }
该算法比最差的冒泡排序法都慢,且为递归结构,数组很大时,递归栈将会很深。因此是很糟糕的算法。