来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/find-first-and-last-position-of-element-in-sorted-array
给定一个按照升序排列的整数数组 nums,和一个目标值 target。找出给定目标值在数组中的开始位置和结束位置。
你的算法时间复杂度必须是 O(log n) 级别。
如果数组中不存在目标值,返回 [-1, -1]。
示例 1:
输入: nums = [5,7,7,8,8,10], target = 8
输出: [3,4]
示例 2:
输入: nums = [5,7,7,8,8,10], target = 6
输出: [-1,-1]
分析:
考查binary_search、upper_bound、lower_bound函数。时间复杂度均为O(log n)。
先用二分查找判断某个数是否存在:
bool binary_search(arr[],arr[]+size,target)
如果不存在,直接返回{-1,-1}
如果存在,则利用upper_bound(arr[],arr[]+size,target)函数寻找第一个大于target的数所在位置,利用lower_bound(arr[],arr[]+size,target)函数寻找第一个大于等于target的数所在位置。记d1=upper_bound(arr[],arr[]+size,target)-arr,d2=lower_bound(arr[],arr[]+size,target)-arr,注意d1-1才是target所在的结束位置,因此最后的区间是[d2,d1-1],不是[d2,d1]。
class Solution {
public:
vector<int> searchRange(vector<int>& nums, int target) {
bool isfind=binary_search(nums.begin(),nums.end(),target);
if(isfind==false){
return{-1,-1};
}
else{
int d1=upper_bound(nums.begin(),nums.end(),target)-nums.begin();
int d2=lower_bound(nums.begin(),nums.end(),target)-nums.begin();
return{d2,d1-1};
}
}
};
运行结果:
执行用时:12 ms, 在所有 C++ 提交中击败了90.23%的用户
内存消耗:13.7 MB, 在所有 C++ 提交中击败了7.44%的用户
显然空间复杂度需要优化。。。