美文网首页
在循环有序的序列中查找指定的值

在循环有序的序列中查找指定的值

作者: Joah_l | 来源:发表于2019-11-21 10:59 被阅读0次
    /**
     * NOTE: 在一个循环有序的列表中查找指定的值。
     * 比如[6,7,8,1,2,3,4,5]就是一个循环有序数组。
     * 时间复杂度: O(logn), 空间: O(1)
     * 移动中轴; 找到有序的序列, 然后从有序的序列中找到 target
     */
    
    function find(list, target) {
      if (list.length === 0) {
        return -1
      }
      let start = 0
      let end = list.length - 1
      const res = []
      while (start <= end) {
        const mid = start + ((end - start) >> 1)
        if (list[mid] === target) {
          res.push(mid)
        }
    
        if (list[mid] >= list[start]) {
          // target 在 start - mid 之间
          if (target >= list[start] && target <= list[mid]) {
            end = mid - 1
          } else {
            // target 不在 start - mid 之间
            start = mid + 1
          }
        } else {
          if (target >= list[mid] && target <= list[end]) {
            start = mid + 1
          } else {
            end = mid - 1
          }
        }
      }
      return res
    }
    
    // test
    const a = find([7, 7, 8, 9, 1, 2, 5, 6, 7, 9], 5);
    console.log(a)
    /*
      0: mid 4 = 1 , start: 0, 7; end 9, 9 =>
      1: mid 7, end: 9 start 5;
     */
    // // const b = find([7, 7, 8, 9, 1, 2, 5, 6, 7, 7], 4);
    // // const c = find([7, 7, 8, 9, 1, 2, 5, 6, 7, 7], 7);
    
    // console.log(a, b, c);
    

    相关文章

      网友评论

          本文标题:在循环有序的序列中查找指定的值

          本文链接:https://www.haomeiwen.com/subject/xgbzictx.html