Given an array of integers sorted in ascending order, find the starting and ending position of a given target value.
Your algorithm’s runtime complexity must be in the order of O(log n).
If the target is not found in the array, return [-1, -1].
For example,
Given [5, 7, 7, 8, 8, 10] and target value 8,
return [3, 4].
这道题让我们在一个有序整数数组中寻找相同目标值的起始和结束位置,而且限定了时间复杂度为O(logn),这是典型的二分查找法的时间复杂度,所以这道题我们也需要用此方法,我们的思路是首先对原数组使用二分查找法,找出其中一个目标值的位置,然后向两边搜索找出起始和结束的位置。
vector<int> SearchForARange::searchRange(vector<int>&A, int target)
{
vector<int> ret(2, -1);
//先判断是否为空,否则size()函数会报错
if (A.empty()) return ret;
int i = 0, j = A.size() - 1;
//查询左边界位置
while (i < j)
{
int mid = (i + j) / 2;
if (A[mid] < target) i = mid + 1;
else j = mid;
}
if (A[i] != target) return ret;
else ret[0] = i;
//查询右边界位置
j = A.size() - 1; // 这里i是左边界,不需要重新设置为0
while (i < j)
{
int mid = (i + j) / 2 + 1; //确保找到时为右边界
if (A[mid] > target) j = mid - 1;
else i = mid;
}
ret[1] = j;
return ret;
}