63.Search in Rotated Sorted Array II
1.Description(Medium)
Follow up for Search in Rotated Sorted Array:
What ifduplicatesare allowed?
Would this affect the run-time complexity? How and why?
Write a function to determine if a given target is in the array.
Example
Given[1, 1, 0, 1, 1, 1]
and target =0
, returntrue
.
Given[1, 1, 1, 1, 1, 1]
and target =0
, returnfalse
.
2.Code
Solution 1: Binary Search
Search in Rotated Sorted Array 在旋转有序数组中搜索
的延伸,现在数组中允许出现重复数字,这个也会影响我们选择哪半边继续搜索,由于之前那道题不存在相同值,我们在比较中间值和最右值时就完全符合之前所说的规律:
如果中间的数小于最右边的数,则右半段是有序的,若中间数大于最右边数,则左半段是有序的。
而如果可以有重复值,就会出现来面两种情况,[3 1 1] 和 [1 1 3 1],对于这两种情况中间值等于最右值时,目标值3既可以在左边又可以在右边,那怎么办么,对于这种情况其实处理非常简单,只要把最右值向左一位即可继续循环,如果还相同则继续移,直到移到不同值为止,然后其他部分还采用Search in Rotated Sorted Array 在旋转有序数组中搜索中的方法
[l,m]为递增序列的假设就不能成立了,比如如下数据[1,3,1,1,1]
对于每一个递增序列,遍历之,确认。
找到pivot点,然后确定对应序列搜索。
如果A[m]>=A[l]不能确定递增,那就把它拆分成两个条件
A[m]>A[l] 递增
A[m] ==A[l] 确定不了,那就l++,往下看一步即可。
Solution 2: 遍历
Last updated