/*************************************************************************
	> File Name: binary_search.cpp
	> Author: 
	> Mail: 
	> Created Time: 2015年11月11日 星期三 14时24分09秒
 ************************************************************************/

#include <iostream>
#include <vector>
#include <algorithm>

using namespace std;

void output_vector(const vector<int> &v)
{
    cout << "The vector is :";
    for (vector<int>::const_iterator it = v.begin(); it != v.end(); it++){
        cout << *it << " ";
    }
    cout << endl;
}
/*recursion递归查找*/
int binary_search_recursion(const vector<int> &v, int low, int high, int goal)
{
    if (low <= high){
        int middle = (low + high) / 2;
        if (goal == v[middle])
            return middle;
        else if (goal > v[middle])
            binary_search_recursion(v, middle+1, high, goal);
        else
            binary_search_recursion(v, low, middle-1, goal);
    }
    else    
        return -1;
}

/*不是递归*/
int  binary_search(const vector<int> &v, int high, int goal)
{
    int low = 0, middle = 0;

    while(low <= high){
        middle = (low + high) / 2;
        if(goal == v[middle])
            return middle;
        else if(goal > v[middle])
            low = middle+1;
        else
            high = middle-1;
    }
    
    return -1;
}

int main()
{
    int num;
    cout << "input the num of the data:";
    cin >> num;
    vector<int> v;
    cout << "Input the data to the vector:" << endl;
    int val;
    while(num != 0){
        cin >> val;
        v.push_back(val);
        num--;
    }

    output_vector(v);
    sort(v.begin(), v.end());
    cout << "After sort ";
    output_vector(v);

    cout << "input the goal value to find: ";
    int goal;
    cin >> goal;
    /*递归*/
    int index =  binary_search_recursion(v, 0, v.size()-1, goal);
    if (index != -1)
        cout << "goal is == v[" << index << "]" << endl;
    else
        cout << "goal is not at the vector" << endl;
    /*非递归*/
    index = binary_search(v, v.size(), goal);
    if (index != -1)
        cout << "goal is == v[" << index << "]" << endl;
    else
        cout << "goal is not at the vector" << endl;

    return 0;
}

二分查找是从一组已经排好序的数据查找某一个值(本程序是默认的是数据从小到大进行排序);
第一种是方法可以用递归来实现;第二种不是递归,而是循环;

其实主要思想都是一样的:
如果目标值等于数组的中间值,则返回中间值的索引号;
如果目标值大于数组的中间值,则在数组的上半部分进行查找;
如果目标值小于数组的中间值,则在数组的下半部分进行查找;

每次查找都会重新计算机middle的值;

posted on 2015-11-11 15:37  Linux-ever  阅读(1055)  评论(0编辑  收藏  举报