力扣-旋转数组中的最小数字

题目链接:https://leetcode-cn.com/problems/xuan-zhuan-shu-zu-de-zui-xiao-shu-zi-lcof/

题目描述

把一个数组最开始的若干个元素搬到数组的末尾,我们称之为数组的旋转。

给你一个可能存在 重复 元素值的数组 numbers ,它原来是一个升序排列的数组,并按上述情形进行了一次旋转。请返回旋转数组的最小元素。例如,数组 [3,4,5,1,2] 为 [1,2,3,4,5] 的一次旋转,该数组的最小值为1。

示例1

1
2
输入:[3,4,5,1,2]
输出:1

示例2

1
2
输入:[2,2,2,0,1]
输出:0

题目分析

依然是采用二分的思路,每次与两端的元素做对比,分三种结果:

  • 比最右边小
  • 比最左边大
  • 其他

代码

我写的代码:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
class Solution {
public int minArray(int[] numbers) {
int low = 0;
int high = numbers.length - 1;
int pivot = 0;
while(high >= low) {
pivot = (low + high) / 2;
if (numbers[pivot] < numbers[high]) {
high = pivot;
//错误一
} else if (numbers[pivot] > numbers[low]) {
//错误二
low = pivot;
} else {
high--;
}
}
return numbers[pivot];
}
}

只需要将 low = pivot;改为 low = pivot + 1;便可以完美通过!