计数排序是一个很特殊的排序方法,它不同于我们之前提到的堆排序和快速排序,计数排序所要进行排序的队列是非常特殊的,他的取值范围是确定的,介于[0,max]之间,而且他的运行时间仅为当k=O(n)时,为O(n)(同阶=)。当然一点需要声明的是,然后他的运行时间很短,但是带来的却是空间上的大幅度增加。
Count_Sort(A,B,k)
-1- for i<-0 to k
-2- C[i]<-0;
-3- for j<-0 to lenth(A)-1
-4- C[A[j]] +=1;
-5- for i<-1 to k
-6- C[i] += C[i-1];
-7- for j<-lenth(A)-1 to 0
-8- B[C[A[j]-1]] = A[j];
-9- C[A[j]] -= 1;
#include<iostream>
void Count_Sort(int *a, int size, int max)
{
int * b = (int *) calloc(size,sizeof(int));
int * c = (int *) calloc(max+1,sizeof(int));
for(int i = 0;i<size; i++)
{
if(*(a+i) > max)
{
std::cout<<“error”<<std::endl;
return;
}
*(c+(*(a+i))) += 1;
}
for(int j = 1; j<=max; j++)
{
*(c+j)+=*(c+j-1);
}
for(int k = size-1; k>=0;k–)
{
*(b+*(c+*(a+k))-1) = *(a+k);
*(c+*(a+k)) -= 1;
}
for(int i=0; i<size; i++)
{
*(a+i) = *(b+i);
std::cout<<*(a+i)<<” “;
}
std::cout<<std::endl;
free(b);
free(c);
}
int main()
{
int a[] = {0,2,1,1,4,3,2,5,4};
Count_Sort(a,9,5);
}
说明:
1.使用了函数void * calloc(size_t numElements, size_t sizeOfElement),而不是void * malloc(size_t size),关键是calloc提供了初始化的功能。还要注意使用malloc和calloc以后要是用free()释放。
2. *(b+*(c+*(a+k))-1) = *(a+k);
注意这里面得-1,因为数组下标是从0开始的,而c中第j位上记载的数c[j]是j出现的次数,比如0出现了一次,那么0应该位于b[0]上,而不是b[1]上。