1、题目描述
假设按照升序排序的数组在预先未知的某个点上进行了旋转。
( 例如,数组 [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
2、题解
2.1、解法一
class Solution(object): def findMin(self, nums): """ :type nums: List[int] :rtype: int """ n = len(nums) if n == 0: return None elif n == 1: return nums[0] index= 0 while index < n-1 and nums[index] < nums[index+1]: index += 1 if index == n-1: return nums[0] return nums[index+1]