Problem
Consider a function that implements an algorithm similar to Binary Search. The function has two input parameters: sequence
is a sequence of integers, and target
is an integer value. The purpose of the function is to find if the target
exists in the sequence
.
The pseudocode of the function is as follows:
1 | func(sequence, target) |
When the sequence
is sorted, the function works correctly for all values. When the sequence
is not sorted, the function does not work for all values, but may still work for some values.
Given an integer array nums
, representing the sequence
, that contains unique numbers and may or may not be sorted, return the number of values that are guaranteed to be found using the function, for every possible pivot selection.
Example 1:
1 | Input: nums = [7] |
Example 2:
1 | Input: nums = [-1,5,2] |
Constraints:
1 <= nums.length <= 105
-105 <= nums[i] <= 105
- All the values of
nums
are unique.
Follow-up: If nums
has duplicates, would you modify your algorithm? If so, how?
Analysis
这道题目给出一个无序数组nums
,然后给出一个函数的算法,函数是对数组进行二分查找,找一个target
。问这个数组中有多少个元素是可以一定被二分查找找到的。
我们先来看二分查找的过程,每次任意选一个pivot
元素,如果小于target
则移除包括自己在内左边所有的元素,否则则一处包括自己在内右边的所有元素。所以如果target
的右边有一个比它小的元素,当pivot
选到这个小的元素,target
就会被移除,所以比target
小的元素必须出现在target
的左侧;同理,如果target
的左边有一个比自己大的元素,当pivot
选到这个大的元素,target
就会被移除,所以比target
大的元素必须出现在target
的右侧。
所以总的来说我们就是要在nums
中找一个单调递增的子序列,同时子序列中的每个元素都不能比前面出现过的元素(可以不在子序列中,只要是出现过就行)小。维持单调的序列我们通常可以用一个单调栈,为了保证新加入的元素不会比前面出现过的元素小,再维护一个当前最大值,只要比这个最大值大的元素才能入栈,最后返回栈的size。
Solution
无。
Code
1 | class Solution { |
Summary
这道题目实际上和二分查找关系不大,主要是单调栈的应用。同时有一个细节是加入栈的元素要比出现过的元素都要大这点很容易忽略。这道题目的分享到这里,感谢你的支持!