经典算法之折半插入排序

/************************
author's email:[email protected]
date:2017.12.10
折半插入排序
************************/
/*
折半插入排序与直接插入排序算法思想类似,区别是查找插入位置的方法不同,
折半插入排序是采用折半查找的方法来查找插入位置的。
*/
#include
#define maxSize 10
using namespace std;
void BinaryInsertSort(int *a, int n);//折半插入排序
void printArray(int D[], int n);//输出数组
void main() {
	int E[maxSize] = { 12,15,48,46,16,78,57,88,65,48 };//构造一个一维数组

	BinaryInsertSort(E, maxSize);//折半插入排序
	cout << "折半插入排序后,结果为:" << endl;
	printArray(E, maxSize);
}
void BinaryInsertSort(int *a, int n)
{
	for (int i = 1; i < n; i++) {
		int temp = a[i];//将待插关键字存入temp
		int low = 0;
		int high = i - 1;

		//下面这个循环查找要插入的位置
		while (low <= high) {
			int mid = (low + high) / 2;
			if (temp > a[mid]) //待插元素比中间值大,取m+1到high区域
				low = mid + 1;
			else
				high = mid - 1;
		}

		//将temp插入a[low]位置。将比low下标大的关键字整体后移
		for (int j = i; j > low; j--) {//或者为for (int j = i; j > high+1; j--)
			a[j] = a[j - 1];
		}
		a[low] = temp;//或者为a[high+1]=temp;
	}
}
void printArray(int D[], int n) {
	for (int i = 0; i < n; ++i)  //输出排序后的关键字
		cout << D[i] << " ";
	cout << endl;
}

 

 

你可能感兴趣的:(经典算法之折半插入排序)