-
Notifications
You must be signed in to change notification settings - Fork 0
/
154.寻找旋转排序数组中的最小值-ii.py
59 lines (56 loc) · 1.3 KB
/
154.寻找旋转排序数组中的最小值-ii.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
#
# @lc app=leetcode.cn id=154 lang=python3
#
# [154] 寻找旋转排序数组中的最小值 II
#
# https://leetcode-cn.com/problems/find-minimum-in-rotated-sorted-array-ii/description/
#
# algorithms
# Hard (47.76%)
# Likes: 85
# Dislikes: 0
# Total Accepted: 16.4K
# Total Submissions: 34.3K
# Testcase Example: '[1,3,5]'
#
# 假设按照升序排序的数组在预先未知的某个点上进行了旋转。
#
# ( 例如,数组 [0,1,2,4,5,6,7] 可能变为 [4,5,6,7,0,1,2] )。
#
# 请找出其中最小的元素。
#
# 注意数组中可能存在重复的元素。
#
# 示例 1:
#
# 输入: [1,3,5]
# 输出: 1
#
# 示例 2:
#
# 输入: [2,2,2,0,1]
# 输出: 0
#
# 说明:
#
#
# 这道题是 寻找旋转排序数组中的最小值 的延伸题目。
# 允许重复会影响算法的时间复杂度吗?会如何影响,为什么?
#
#
#
# @lc code=start
class Solution:
def findMin(self, nums: List[int]) -> int:
# 二分查找 O(logn) O(1)
left, right = 0, len(nums) - 1
while left < right:
mid = (left + right) // 2
if nums[mid] < nums[right]:
right = mid
elif nums[mid] > nums[right]:
left = mid + 1
else:
right -= 1
return nums[left]
# @lc code=end