题目描述:
思路:
由于在数组中存在相同的元素,因此不能简单像「153. 寻找旋转排序数组中的最小值」题目一样,而是应该考虑如何让解决相同元素影响到「153. 寻找旋转排序数组中的最小值」中的数据规律.
例如:
1 1 2 2 3 3 4 4
旋转第一次:4 1 1 2 2 3 3 4 满足特点(我们考虑数组中的最后一个元素 xx:在最小值右侧的元素,它们的值一定都小于等于 xx;而在最小值左侧的元素,它们的值一定都大于等于 x)
旋转第二次:4 4 1 1 2 2 3 3 满足特点
旋转第三次:3 4 4 1 1 2 2 3 不满足特点
我们将左边和右边的元素去除,又满足条件,但是此时,我们将该元素和最小值进行对比,如果该元素比最小值小那么我们就要将最小值进行更新.(也就是每一次都要判断low和hight所对应的元素是否相等.)
代码如下:
class Solution {
public:
int minArray(vector<int>& numbers) {
// 在一个经过多次旋转的数组,符合下面的特点,对于数组中的最后一个元素x,数组中最小值右边的元素均小于x,最小值左边的元素均大于这个x.
// 基于此,我们可以提出如下算法.
// 设置low ,pivot, high.其中pivot = (low+high)/2.
// 当numbers[pivot]<numbers[high] 说明pivot在最小值的右边,因此令high=pivot.
// 如果numbers[pivot]>numbers[high] 说明pivot在最小值的左边,因此令low=pivot.
// 跳出循环的条件是low >= high
int low = 0;
int high = numbers.size()-1;
int min = numbers[low];
while(low<high){
if(numbers[low] == numbers[high]){
if(numbers[low]<min){
min = numbers[low];
}
low++;
high--;
}
else{
int pivot = (low+high)/2;
if(numbers[pivot]<=numbers[high]){
high = pivot;
}
else{
low = pivot+1;
}
}
}
if(numbers[low]<min){
return numbers[low];
}
else{
return min;
}
}
};