zoukankan      html  css  js  c++  java
  • Search Insert Position leetcode java

    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

    本题是基本考察二分查找的题目,与基本二分查找方法不同的地方是,二分查找法当查找的target不在list中存在时返回-1,而本题则需要返回该target应在此list中插入的位置。

    当循环结束时,如果没有找到target,那么low一定停target应该插入的位置上,high一定停在恰好比target小的index上。

    [1,3,5,6], 7

    low = 0, high = 3

    step1: mid = 1

              A[mid] = 3, 3<7

              low = mid + 1 = 2

    low = 2, high = 3

    step2: mid = 2

              A[mid] = 5, 5<7

             low = mid + 1 = 3

    low = 3, high = 3

    step3: mid = 3

              A[mid] = 6, 6<7

              low = mid + 1 = 4


    low = 4, high = 3

    return low = 4;

     [1,3,5,6], 0

    low = 0, high = 3

    step1: mid = 1

              A[mid] = 3, 3>0

              high = mid - 1 = 0

    low = 0, high = 0

    step2: mid = 0

              A[mid] = 1, 1>0

              high = mid - 1 = -1

    low = 0, high = -1

    return 0

     1     public int searchInsert(int[] A, int target) {
     2         if(A == null||A.length == 0)
     3             return 0;
     4         int low = 0, high = A.length-1;
     5         
     6         while(low <= high){
     7             int mid = (low + high) / 2;
     8             
     9             if(A[mid] > target)
    10                 high = mid - 1;
    11             else if(A[mid] < target)
    12                 low = mid + 1;
    13             else
    14                 return mid;
    15         }
    16         
    17         return low;
    18     }

    自己在做第二遍时候犯二,mid = (low+high)/2的括号忘记加了

    Reference: http://blog.csdn.net/linhuanmars/article/details/31354941

  • 相关阅读:
    [转]window.location方法获取URL及window.location.assign(url)和replace(url)区别
    [转]JQuery实现图片轮播效果
    [转]MVC Checkbox
    [转]VS2010类模板更改,增加版权等等信息
    [转]【译】详解Asp.net MVC DropDownLists
    [转]JQuery.Ajax之错误调试帮助信息
    设置Html.TextBoxFor的Value值 及 去除数字无效的零及小数点
    [转]使用RDLC报表(1) (4)
    [转]ASP.NET MVC 2 模板化辅助方法
    [转]jquery实现图片延时加载
  • 原文地址:https://www.cnblogs.com/springfor/p/3857652.html
Copyright © 2011-2022 走看看