关于
lintcode系列,第14题,题目网址:https://www.lintcode.com/problem/first-position-of-target/description
描述
给定一个排序的整数数组(升序)和一个要查找的整数target,用O(logn)的时间查找到target第一次出现的下标(从0开始),如果target不存在于数组中,返回-1。
样例:
样例 1:
输入:[1,4,4,5,7,7,8,9,9,10],1
输出: 0
样例解释:
第一次出现在第0个位置。
样例 2:
输入: [1, 2, 3, 3, 4, 5, 10],3
输出: 2
样例解释:
第一次出现在第2个位置
样例 3:
输入: [1, 2, 3, 3, 4, 5, 10],6
输出: -1
样例解释:
没有出现过6, 返回-1
思路
二分法思想。
C++实现
class Solution {
public:
/**
* @param nums: The integer array.
* @param target: Target to find.
* @return: The first position of target. Position starts from 0.
*/
int binarySearch(vector<int> &nums, int target) {
// write your code here
int head=0,end=nums.size();
while(head!=end) {
if(target==nums[(head+end)/2]){
end=(head+end)/2;
}
else if(target>nums[(head+end)/2]) {
head = (head+end)/2 +1;
}
else {
end=(head+end)/2 -1;
}
}
if(nums[head]==target) {
return head;
}
else {
return -1;
}
}
};