Skip to content

Latest commit

 

History

History
66 lines (44 loc) · 1.62 KB

153-find-minimum-in-rotated-sorted-array.md

File metadata and controls

66 lines (44 loc) · 1.62 KB

153. Find Minimum in Rotated Sorted Array - 寻找旋转排序数组中的最小值

假设按照升序排序的数组在预先未知的某个点上进行了旋转。

( 例如,数组 [0,1,2,4,5,6,7] 可能变为 [4,5,6,7,0,1,2] )。

请找出其中最小的元素。

你可以假设数组中不存在重复元素。

示例 1:

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

示例 2:

输入: [4,5,6,7,0,1,2]
输出: 0

题目标签:Array / Binary Search

题目链接:LeetCode / LeetCode中国

题解

Language Runtime Memory
java 0 ms 39.5 MB
class Solution {
    public int findMin(int[] nums) {
        int l = 0, r = nums.length - 1;
        while (l < r) {
            int mid = l + r >> 1;
            if (nums[mid] <= nums[r]) r = mid;
            else l = mid + 1;
        }
        return nums[l];
    }
}
Language Runtime Memory
cpp 4 ms 1 MB
class Solution {
public:
    int findMin(vector<int>& nums) {
        return *min_element(nums.begin(), nums.end());
    }
};
static auto _ = [](){ ios::sync_with_stdio(false); cin.tie(nullptr); return 0; }();