lintcode160. 寻找旋转排序数组中的最小值 II

假设一个旋转排序的数组其起始位置是未知的(比如0 1 2 4 5 6 7 可能变成是4 5 6 7 0 1 2)。你需要找到其中最小的元素。

样例
样例 1:

输入 :[2,1]
输出 : 1.
样例 2:

输入 :[4,4,5,6,7,0,1,2]
输出: 0.
注意事项
The array may contain duplicates.
class Solution {
public:
    /**
     * @param nums: a rotated sorted array
     * @return: the minimum number in the array
     */
    int findMin(vector<int> &nums) {
        // write your code here
        int low=0;
        int high=nums.size()-1;
        while(low<high)
        {
            if(nums[low]<nums[high]) return nums[low];
            int mid=(low+high)/2;
            if(nums[mid]<nums[high]) high=mid;
            else if(nums[mid]>nums[high]) low=mid+1;
            else low++;
        }
        return nums[low];
    }
};

你可能感兴趣的:(lintcode)