算法说明
插值查找说白了就是二分法查找的改良版本,在二分法查找的时候,mid这个数字每次都是取当前数组总数的二分之一,这样做就不太符合常理,因为很多情况下,大量数据分布是基本保持均匀的,比如说我们在查字典的时候要查“我”这个汉字,一般情况下,我们是直接往后面翻的,原因是我们基本上知道w是排在后面的。插值查找就是利用这样的特性来优化二分法查找(当然他的前提是基本分布均匀,否则的话效率比插值查找还慢)。插值查找的关键点在于如何找出合理的mid数值。
下面是代码:
#include <stdio.h>
#include <iostream>
#include <time.h>
#include <malloc.h>
#define MAXSIZE 10
using namespace std;
int Insert_Search(int *a, int key) {
int left = 0;
int right = MAXSIZE;
int centerIndex;//得到中心点的值
while (left <= right)
{
centerIndex =left+ (key - a[left]) / (a[right] - a[left])*(right - left);
cout << centerIndex << endl;
if (a[centerIndex] > key)//如果中间值比key要大,说明要往左边走
{
right = centerIndex-1;
}
else if (a[centerIndex] == key)//如果想等,直接返回
{
return centerIndex;
}
else {//如果是小于key的,那么要往右走
left = centerIndex+1;
}
}
return -1;
}
int main(void) {
int arrays[] = { 1,3,5,7,9,33,55,65,77,79 };
int i = 0;
for (i;i < MAXSIZE;i++)
{
cout << "查找的值为:" << arrays[i] << "查找到的位置为:" << Insert_Search(arrays, arrays[i]) << endl;;
}
system("pause");
return 0;
}