Given a sorted array and a target value, return the index if the target is found. If not, return the index where it would be if it were inserted in order.
You may assume no duplicates in the array.
Here are few examples.
[1,3,5,6], 5 → 2
[1,3,5,6], 2 → 1
[1,3,5,6], 7 → 4
[1,3,5,6], 0 → 0
答案一:
class Solution {
public:
int searchInsert(int A[], int n, int target) {
if(n<=0)return 0;
int i=0;
while(A[i]<=target&&i<n){
if(target==A[i])
return i;
else
i++;
}
return i;
}
};
答案二:
class Solution {
public:
int search(int A[], int start, int end, int target)
{
if (start > end) return start;
int mid = (start + end) / 2;
if (A[mid] == target)
return mid;
else if (A[mid] > target)
return search(A, start, mid - 1, target);
else return search(A, mid + 1, end, target);
}
int searchInsert(int A[], int n, int target) {
return search(A, 0, n - 1, target);
}
};
本文详细解释了在已排序数组中查找目标值的插入位置,包括两种实现方式,确保找到目标值应处的位置或其正确插入点。
502

被折叠的 条评论
为什么被折叠?



