编辑:包括改进的代码。
我目前的逻辑不正确。我想要一个二进制搜索,它将找到整数“wantToFind”,如果它不在数组中,将从wantToFind中减去1,直到找到它为止。
我从一个更大的程序中减去了这个,它保证了数组中的第一项将是最低的wantToFind(我们想要找到的值)。
然而,尽管遵循二进制搜索惯例,但在寻找更高的数字时,程序仍然会遇到困难,例如88。
float list[15] = {60,62,64,65,67,69,71,72,74,76,77,79,81,83,84};
// binary search
int wantToFind = 88; //other tests are 65, 61, 55
bool itemFound = false;
int current = 0;
int low = 0;
int high = 14;
current = (low+high)/2;
//int previousCurrent = -1;
do {
do {
//if 61 < 72
if (wantToFind < list[current])
{
//smaller
//previousCurrent = current;
high = current - 1;
current = (low+high/2);
}
else if (wantToFind > list[current])
{
//bigger
//previousCurrent = current;
low = current + 1;
current = (low+high/2);
}
else{
if(wantToFind == list[current])
{
itemFound = true;
}
}
} while (low >= high);
if (itemFound == false)
{
wantToFind--;
}
} while (itemFound == false);
printf("\n%d", wantToFind); //which will be a number within the list?
return 0;
答案 0 :(得分:0)
您的退出条件应为low >= high
。然后你会发现第一个值,它比目标值更小或更大(或者当然是你实际搜索的那个)。那么你不再需要这个if语句:if (current < 0 || current > 14)
但你必须在循环后检查/调整结果。
答案 1 :(得分:0)
我无法想象你为什么要while (low >= high)
。这将导致循环第一次终止。我非常确定你想while (low <= high)
。
此外,当找不到该项目时,有三种可能性:
wantToFind
小于列表中的最小项目。wantToFind
大于列表中的最大项目。wantTofind
将位于列表中的某个位置。在情况2和3中,内循环退出时current
的值将比包含小于wantToFind
的第一个项的索引多一个。
在上述情况1中,current
将等于0.
重点是不需要外循环。当二进制搜索失败时,current
的值会告诉您插入点。
此外,您可能希望在找到该项目时提前退出。
最后,帮自己一个忙,然后将do...while
转换为while
循环。那就是:
while (!itemFound && low <= high)
你会发现更容易推理。