目录
堆排序(回顾)
基本思路
代码实现
向下调整排序 AdjustDown
建堆+排序
时间复杂度
特性总结
堆排序(回顾)
重点回顾戳👉堆排序
基本思路
堆排序(Heapsort)是指利用堆积树(堆)这种数据结构所设计的一种排序算法,它是选择排序的一种。它是通过堆来进行选择数据。需要注意的是排升序要建大堆,排降序建小堆。
这里举例建升序,也就是大堆。
①先将数组中的元素向下调整建堆
②循环以下操作:
- 交换头尾
- 向下调整(最后一个元素不参与调整)
代码实现
向下调整排序 AdjustDown
void Swap(HPDataType* p1, HPDataType* p2)
{HPDataType tmp = *p1;*p1 = *p2;*p2 = tmp;
}void AdjustDown(int* a, int 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);}int end = n - 1;while (end > 0){Swap(&a[0], &a[end]);AdjustDown(a, end, 0);--end;}
}int main()
{int a[10] = { 4, 6, 2, 1, 5, 8, 2, 9 };int size = sizeof(a) / sizeof(a[0]);HeapSort(a, size);for (int i = 0; i < size; i++){printf("%d ", a[i]);}return 0;
}
时间复杂度
O(N*logN)
特性总结
1. 堆排序使用堆来选数,效率就高了很多。
2. 时间复杂度:O(N*logN)
3. 空间复杂度:O(1)
4. 稳定性:不稳定