所以我希望编写一个代码来返回密钥所在的索引,或者它是否存在,应该在哪里。我错过了什么? min为0,max为size - 1,buf为
int binarySearch(string buf[], string key, int min, int max){
int mid;
while (max >= min){
mid = (min + max) / 2;
if (buf[mid] < key)
min = mid + 1;
else if (buf[mid] > key)
max = mid - 1;
else
return mid;
}
return min;
}
答案 0 :(得分:3)
我几乎有同样的问题,所以我编写了这个通用代码(也许你可能想要使用与std不同的命名空间;)。下面的代码将迭代器返回给序列中最小的元素,该元素小于或者等于val。它使用O(N log N)时间用于N = std ::差异(第一个,最后一个),假设在[first ... last)上进行O(1)随机访问。
#include <iostream>
#include <vector>
#include <algorithm>
namespace std {
template<class RandomIt, class T>
RandomIt binary_locate(RandomIt first, RandomIt last, const T& val) {
if(val == *first) return first;
auto d = std::distance(first, last);
if(d==1) return first;
auto center = (first + (d/2));
if(val < *center) return binary_locate(first, center, val);
return binary_locate(center, last, val);
}
}
int main() {
std::vector<double> values = {0, 0.5, 1, 5, 7.5, 10, 12.5};
std::vector<double> tests = {0, 0.4, 0.5, 3, 7.5, 11.5, 12.5, 13};
for(double d : tests) {
auto it = std::binary_locate(values.begin(), values.end(), d);
std::cout << "found " << d << " right after index " << std::distance(values.begin(), it) << " which has value " << *it << std::endl;
}
return 0;
}
代码非常通用,它接受std :: vectors,std :: arrays和数组,或任何允许随机访问的序列。假设(读取前置条件)是val&gt; = * first并且值[first,last]被排序,就像std :: binary_search所需。
随意提及我使用的错误或弊端。
答案 1 :(得分:1)
int binary_srch_ret_index(ll inp[MAXSIZE], ll e, int low, int high) {
if (low > high) {
return -1;
}
int mid = (low + high) / 2;
if (e == inp[mid]) {
return mid;
}
if (e < inp[mid]) {
return binary_srch(inp, e, low, mid - 1);
} else {
return binary_srch(inp, e, mid + 1, high);
}
}
答案 2 :(得分:0)
您搜索了一个角色,并且您认为buf中的字符已经过排序。
如果要搜索字符串,请使用字符串匹配模式算法。 (http://en.wikipedia.org/wiki/String_searching_algorithm)
如果要搜索有序数组中的字符或数字,请参阅: http://www.programmingsimplified.com/c/source-code/c-program-binary-search
答案 3 :(得分:0)
在二进制搜索中,您可以执行值类型搜索而不是引用类型。如果要在字符串数组中搜索字符串,则必须编写复杂程序或使用has table
答案 4 :(得分:0)
这似乎有效:
#include <iostream>
#include <cassert>
int binarySearch(int buf[], int key, int min, int max);
int main()
{
int data[] = {1,2,4,6,7,9};
for(int i=0; i<6; i++)
{
int result = binarySearch(data, data[i], 0, 5);
assert(result == i);
}
assert(binarySearch(data, 3, 0, 5) == 1);
assert(binarySearch(data, 5, 0, 5) == 2);
assert(binarySearch(data, 8, 0, 5) == 4);
assert(binarySearch(data, 10, 0, 5) == 5);
return 0;
}
int binarySearch(int buf[], int key, int min, int max)
{
int mid;
while (max >= min){
mid = (min + max) / 2;
if (buf[mid] < key)
min = mid + 1;
else if (buf[mid] > key)
max = mid - 1;
else
return mid;
}
return std::min(min, max);
}