问题描述
给定一个排序的整数数组(升序)和一个要查找的整数target,用O(logn)的时间查找到target第一次出现的下标(从0开始),如果target不存在于数组中,返回-1。
样例
在数组 [1, 2, 3, 3, 4, 5, 10] 中二分查找3,返回2。
解法
采用改进的二分查找法
注意:考虑 重复元素问题 与 未查到元素问题
public int binarySearch(int[] nums, int target)
{
return mybinarySearch(nums, target, 0, nums.length - 1);
}
public int mybinarySearch(int[] nums, int target, int begin, int end)
{
int i = (begin + end) / 2;
if (begin == end)
{
return nums[i] == target ? i : -1;
}
if (nums[i] == target)
{
for (; nums[i] == target; i--);
return ++i;
} else if (nums[i] > target)
{
return mybinarySearch(nums, target, begin, i - 1);
} else
{
return mybinarySearch(nums, target, i + 1, end);
}
}