用冒泡排序法实现多种类型的数据排序

时间:2021-01-20 01:04:38
#define _CRT_SECURE_NO_WARNINGS
#include <stdio.h>

void swap(char* buf1, char* buf2, int width)
{
	int i = 0;
	for (i = 0; i < width; i++)//实现每个字节的交换,循环最终实现两个数的交换
	{
		char tam = *buf1;
		*buf1 = *buf2;
		*buf2 = tam;
		buf1++;
		buf2++;
	}
}
void bubble_sort(void* base, int sz, int width, int(*cmp)(void* e1, void* e2))
{
	int i = 0;
	for (i = 0; i < sz - 1; i++)
	{
		int j = 0;
		for (j = 0; j < sz - 1 - i; j++)
		{     //比较两个元素
			if (cmp((char*)base + j * width, (char*)base + (j + 1) * width) > 0)//调用cmp函数
			{
				swap((char*)base + j * width, (char*)base + (j + 1) * width,width);
			}
		}
	}
}
int cmp(const void* e1, const void* e2)//不同类型的变量,实现比较的方法也不一样
{                                      //cmp函数比较需要根据实际情况设计  
	/*if (*(int*)e1 - *(int*)e2 < 0)
	{
		return 1;
	}
	else
		return -1;*/
	if (*(float*)e1 < *(float*)e2)
	{
		return 1;
	}
	else
		return -1;
}void test2(void)
{
	int i = 0;
	float a[] = { 1.0,2.0,3.0,4.0,5.0,6.0,7.0,8.0,9.0,10.0 };
	int sz = sizeof(a) / sizeof(a[0]);
	bubble_sort(a, sz, sizeof(a[0]), cmp);
	for (i = 0; i < sz; i++)
	{
		printf("%f  ", a[i]);
	}
}
//void test1(void)
//{
//	int i = 0;
//	int a[] = { 1,2,3,4,5,6,7,8,9,10 };
//	int sz = sizeof(a) / sizeof(a[0]);
//	bubble_sort(a, sz, sizeof(a[0]), cmp);
//	for (i = 0; i < sz; i++)
//	{
//		printf("%d  ", a[i]);
//	}
//}
int main()
{
	//test1();//实现整形数组降序排序
	test2();//实现浮点型数组降序
	return 0;
}

此程序可以实现像整型,浮点型,结构体等任何类型数据进行冒泡排序。