/************************
author's email:wardseptember@gmail.com
date:2017.12.10
折半插入排序
************************/
/*
折半插入排序與直接插入排序演算法思想類似,區別是查詢插入位置的方法不同,
折半插入排序是採用折半查詢的方法來查詢插入位置的。
*/
#include<iostream>
#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;
}
以上如有錯誤,請指出,大家共同學習進步