// CountSort.c
#include <stdio.h>
#include <time.h>
#include <stdlib.h>
typedef int DataType;
typedef char NumType; // 有效个数:2至127
// ( ( 2 ^ ( ( sizeof ( NumType ) * 8 ) - 1 ) - 1 )
#define LIMIT ( NumType ) ( ( 1 << ( ( sizeof ( NumType ) << 3 ) - 1 ) ) - 1 )
typedef short ValueType; // ValueType比NumType大一个级别的数据类型单位
void CountSort(DataType * const, const NumType, const ValueType);
int main(void)
{
NumType i, sum;
DataType data[LIMIT] = { 0 };
srand((unsigned int)time(0));
puts("生成随机数:\n");
for (i = 0; i < LIMIT; ++i)
{
// 随机生成0至32767共计32768种随机数字
data[i] = rand();
printf("%-5d\t", data[i]);
if (i % 10 == 9)
putchar('\n');
}
sum = sizeof (data) / sizeof (data[0]);
if ((sizeof (sum) <= sizeof (NumType)) && (sum <= LIMIT) && (sum > 1))
// 数据个数溢出检测
CountSort(data, sum, (1 << ((sizeof (ValueType) << 3) - 1)) - 1);
puts("\n\n计数排序后:\n");
for (i = 0; i < LIMIT; ++i)
{
printf("%-5d\t", data[i]);
if (i % 10 == 9)
putchar('\n');
}
putchar('\n');
getch();
return 0;
}
/******************************以上代码仅供测试******************************/
// 计数排序
// 仅可用作正整数排序且重复率高的数据
void CountSort(DataType * const data, const NumType sum, const ValueType m)
{
#define FLAG 0 // FLAG = 0 升序排列 FLAG = 1 降序排列
NumType i;
ValueType j, d, k, *count;
DataType *result;
// count数组为一个大小为m的计数数组,用于统计待排序元素各种值出现的次数
count = (ValueType *)malloc(m * sizeof (ValueType));
// result数组用于存储排序后的序列
result = (DataType *)malloc(sum * sizeof (DataType));
// count数组置0
for (k = 0; k < m; ++k)
count[k] = 0;
// 统计各元素值出现的次数
for (i = 0; i < sum; ++i)
++count[data[i]];
// 各种值开始存储下标
#if !FLAG // FLAG == 0
for (d = sum, j = m - 1; j >= 0; --j)
#elif FLAG // FLAG == 1
for (d = sum, j = 0; j <= m - 1; ++j)
#endif
d = count[j] = d - count[j];
// 存入对应位置,并修正下一个相同值的存储下标
for (i = 0; i < sum; ++i)
result[count[data[i]]++] = data[i];
for (i = 0; i < sum; ++i)
data[i] = result[i];
free(count);
free(result);
}