选择排序与堆排序

选择排序与堆排序

  • Test.c
  • SelectSort.h
  • SelectSort.c

Test.c

#define _CRT_SECURE_NO_WARNINGS 1
#include "SelectSort.h"

void TestSelectSort()
{
	int arr[] = { 9,1,2,5,7,4,8,6,3,5 };
	int sz = sizeof(arr) / sizeof(arr[0]);
	SelectSort(arr, sz);
	PrintArray(arr, sz);
}

void TestHeapSort()
{
	int arr[] = { 9,1,2,5,7,4,8,6,3,5 };
	int sz = sizeof(arr) / sizeof(arr[0]);
	HeapSort(arr, sz);
	PrintArray(arr, sz);
}

int main()
{
	//TestSelectSort();
	TestHeapSort();
	return 0;
}

SelectSort.h

#define _CRT_SECURE_NO_WARNINGS 1

#include 
#include 
#include 

void PrintArray(int* a, int n);
void SelectSort(int* a, int n);
void HeapSort(int* a, int n);

SelectSort.c

#define _CRT_SECURE_NO_WARNINGS 1
#include "SelectSort.h"

void PrintArray(int* a, int n)
{
	assert(a);
	for (int i = 0; i < n; i++)
	{
		printf("%d ", a[i]);
	}
	printf("\n");
}

void Swap(int* a, int* b)
{
	int tmp = *a;
	*a = *b;
	*b = tmp;
}

//直接选择排序的效率最低,时间复杂度一直为:O(N^2);
void SelectSort(int* a, int n)
{
	assert(a);
	int begin = 0, end = n - 1;
	while (begin < end)
	{
		int mini = begin, maxi = begin;
		for (int i = begin + 1; i <= end; i++)
		{
			if (a[i] < a[mini])
				mini = i;
			if (a[i] > a[maxi])
				maxi = i;
		}
		Swap(&a[begin], &a[mini]);
		//如果begin和maxi重叠,那么要修正一下maxi的位置
		if (begin == maxi)
		{
			maxi = mini;
		}
		Swap(&a[end], &a[maxi]);

		begin++;
		end--;
	}
}

//堆排:其时间复杂度为:O(N*logN)
void AdjustDown(int* a, int size, int parent) //HPDataType* a【a代表向下调整的是哪个数组】,int size【size代表调整数组的元素个数】,int parent【代表调整元素的位置(下标)】
{
	int child = parent * 2 + 1;
	while (child < size)
	{
		if (child + 1 < size && a[child + 1] > a[child])
		{
			child++;
		}

		if (a[child] > a[parent])
		{
			Swap(&a[child], &a[parent]);
			//比较下一轮父子关系
			parent = child;
			child = parent * 2 + 1;
		}
		else
		{
			break;
		}
	}
}

void HeapSort(int* a, int n)
{
	for (int i = (n - 1 - 1) / 2; i >= 0; i--)
	{
		AdjustDown(a, n, i);
	}
	//排升序,要建大堆进行排序(时间复杂度为:O(N*logN))
	int end = n - 1;
	while (end > 0)
	{
		Swap(&a[0], &a[end]); //交换堆顶数据与末尾数据
		AdjustDown(a, end, 0);
		end--;
	}
	//所以总体的时间复杂度为:O(N+N*logN)=O(N*logN)

}

你可能感兴趣的:(数据结构)