Search Insert Position

Question

  1. 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.
  2. You may assume no duplicates in the array.
  3. Example
  4. [1,3,5,6], 5 2
  5. [1,3,5,6], 2 1
  6. [1,3,5,6], 7 4
  7. [1,3,5,6], 0 0

題解

應該把二分法的問題拆解為find the first/last position of...的問題。由最原始的二分搜尋可找到不小於目標整數的最小下標。返回此下標即可。

Java

  1. public class Solution {
  2. /**
  3. * param A : an integer sorted array
  4. * param target : an integer to be inserted
  5. * return : an integer
  6. */
  7. public int searchInsert(int[] A, int target) {
  8. if (A == null) {
  9. return -1;
  10. }
  11. if (A.length == 0) {
  12. return 0;
  13. }
  14. int start = 0, end = A.length - 1;
  15. int mid;
  16. while (start + 1 < end) {
  17. mid = start + (end - start) / 2;
  18. if (A[mid] == target) {
  19. return mid; // no duplicates, if not `end = target;`
  20. } else if (A[mid] < target) {
  21. start = mid;
  22. } else {
  23. end = mid;
  24. }
  25. }
  26. if (A[start] >= target) {
  27. return start;
  28. } else if (A[end] >= target) {
  29. return end; // in most cases
  30. } else {
  31. return end + 1; // A[end] < target;
  32. }
  33. }
  34. }

源碼分析

要注意例子中的第三個, [1,3,5,6], 7 → 4,即找不到要找的數字的情況,此時應返回數組長度,即代碼中最後一個else的賦值語句return end + 1;

C++

  1. class Solution {
  2. /**
  3. * param A : an integer sorted array
  4. * param target : an integer to be inserted
  5. * return : an integer
  6. */
  7. public:
  8. int searchInsert(vector<int> &A, int target) {
  9. int N = A.size();
  10. if (N == 0) return 0;
  11. if (A[N-1] < target) return N;
  12. int lo = 0, hi = N;
  13. while (lo < hi) {
  14. int mi = lo + (hi - lo)/2;
  15. if (A[mi] < target)
  16. lo = mi + 1;
  17. else
  18. hi = mi;
  19. }
  20. return lo;
  21. }
  22. };

源碼分析

與lintcode - (14) Binary Search類似,在C++的解法裡我們也使用了[lo, hi)的表示方法,而題意是找出不小於target的最小位置,因此每次二分搜尋的循環裡如果發現A[m]已經小於target,就應該將下界lo往右推,其他狀況則將上界hi向左移動,然而必須注意的是如果target比陣列中所有元素都大,必須返回ho位置,然而此上下界的表示方法是不可能返回ho的,所以還有另外加一個判斷式,如果target已經大於陣列中最後一個元素,就直接返回其位置。