本文实例为大家分享了C++实现折半插入排序的具体代码,供大家参考,具体内容如下
一、思路:
较插入排序,减少了比较的次数,但是插入时间还是一样。
(1)按二分查找的方法,查找V[i]在V[0],V[1]…V[i-1]中插入的位置;
(2)将插入位置的元素向后顺移。
二、实现程序:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
|
// 二分插入:较插入排序,减少了比较的次数,但是插入时间还是一样
// 时间复杂度还是:O(n*n)
#include <iostream>
using namespace std;
const int maxSize = 20;
template < class T>
void BinInsertSort(T arr[], const int left, const int right) {
int i, j, low, high, mid;
T temp;
for (i = left+1; i <= right; i++) {
temp = arr[i]; // 暂存arr[i]
low = left;
high = i-1; // low、high作为折半查找的上、下界
while (low <= high) { // 用折半查找的方法,查找arr[i]的插入位置
mid = (low + high) / 2;
if (temp < arr[mid])
high = mid - 1;
else
low = mid + 1;
} // while
for (j = i-1; j >= low; j--)
arr[j+1] = arr[j]; // 顺序后移
arr[low] = temp; // 回填
} // for
} // BinInsertSort
int main( int argc, const char * argv[]) {
int i, n, arr[maxSize];
cout << "请输入要排序的数的个数:" ;
cin >> n;
cout << "请输入要排序的数:" ;
for (i = 0; i < n; i++)
cin >> arr[i];
cout << "排序前:" << endl;
for (i = 0; i < n; i++)
cout << arr[i] << " " ;
cout << endl;
BinInsertSort(arr, 0, n-1);
cout << "排序后:" << endl;
for (i = 0; i < n; i++)
cout << arr[i] << " " ;
cout << endl;
return 0;
}
|
测试结果:
以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持服务器之家。
原文链接:https://blog.csdn.net/chuanzhouxiao/article/details/89080372