LeetCode刷题日记 704.二分查找
一、题目描述
给定一个 n 个元素有序的(升序)整型数组 nums 和一个目标值 target ,写一个函数搜索 nums 中的 target,如果目标值存在返回下标,否则返回 -1。
二、提示
1、你可以假设 nums 中的所有元素是不重复的。
2、n 将在 [1, 10000]之间。
3、nums 的每个元素都将在 [-9999, 9999]之间
三、代码
package q704二分查找;
public class Main {
public static void main(String[] args) {
int[] nums={-1,0,3,5,9,12};
int target=9;
System.out.println(search(nums,target));
}
//以下为提交代码
public static int search(int[] nums, int target) {
int bottom=0;
int top= nums.length-1;
int temp;
while(bottom<=top){
temp=bottom+(top-bottom)/2;
if(nums[temp]==target){
return temp;
}else if(nums[temp]>target){
top=temp-1;
}else if(nums[temp]<target){
bottom=temp+1;
}
}
return -1;
}
}