排序之桶排序

桶排序(Bucket Sort)的原理很简单,它是将数组分到有限数量的桶子里。

假设待排序的数组a中共有N个整数,并且已知数组a中数据的范围[0, MAX)。在桶排序时,创建容量为MAX的桶数组r,并将桶数组元素都初始化为0;将容量为MAX的桶数组中的每一个单元都看作一个"桶"。
在排序时,逐个遍历数组a,将数组a的值,作为"桶数组r"的下标。当a中数据被读取时,就将桶的值加1。例如,读取到数组a[3]=5,则将r[5]的值+1。

#include < stdio.h >
#include < stdlib.h >
#include < string.h >

// 数组长度
#define LENGTH(array) ( (sizeof(array)) / (sizeof(array[0])) )

void bucket_sort(int a[], int n, int max)
{
    int i, j;
    int *buckets;

    if (a == NULL || n < 1 || max < 1)
        return ;

    // 创建一个容量为max的数组buckets,并且将buckets中的所有数据都初始化为0。
    if ((buckets = (int *)malloc(max*sizeof(int))) == NULL)
        return ;
    memset(buckets, 0, max*sizeof(int));

    // 1. 计数
    for(i = 0; i < n; i++) 
        buckets[a[i]]++; 

    // 2. 排序
    for (i = 0, j = 0; i < max; i++) 
        while( (buckets[i]--) >0 )
            a[j++] = i;

    free(buckets);
    buckets = NULL;
}


int get_max(int a[], int n)
{
    int i, max;

    max = a[0];
    for (i = 1; i < n; i++)
        if (a[i] > max)
            max = a[i];
    return max;
}

void main()
{
    int i;
    int a[] = {8,2,3,4,3,6,6,3,9};
    int ilen = LENGTH(a);

    printf("before sort:");
    for (i = 0; i < ilen; i++)
        printf("%d ", a[i]);
    printf("\n");
    int Max = get_max(a,ilen)+1;
    bucket_sort(a, ilen, Max); // 桶排序

    printf("after  sort:");
    for (i = 0; i < ilen; i++)
        printf("%d ", a[i]);
    printf("\n");
}
posted @ 2014-07-13 15:07  dreamsyeah  阅读(173)  评论(0编辑  收藏  举报