Given an array of n
integers nums
, a 132 pattern is a subsequence of three integers nums[i]
, nums[j]
and nums[k]
such that i < j < k
and nums[i] < nums[k] < nums[j]
.
Return true
if there is a 132 pattern in nums
, otherwise, return false
.
Example 1:
Input: nums = [1,2,3,4] Output: false Explanation: There is no 132 pattern in the sequence.
Example 2:
Input: nums = [3,1,4,2] Output: true Explanation: There is a 132 pattern in the sequence: [1, 4, 2].
Example 3:
Input: nums = [-1,3,2,0] Output: true Explanation: There are three 132 patterns in the sequence: [-1, 3, 2], [-1, 3, 0] and [-1, 2, 0].
Constraints:
n == nums.length
1 <= n <= 2 * 105
-109 <= nums[i] <= 109
Companies: Amazon, Apple, Microsoft
Related Topics:
Array, Binary Search, Stack, Monotonic Stack, Ordered Set
For a given middle element A[i]
, we'd want to use the minimum element to the left of A[i]
(denote as a
), and then find the greatest elemnt to the right of A[i]
which is smaller than A[i]
(denote as b
).
For a
it's easy: we can just use a single variable to keep track of the minimum elemenent we've seen thus far.
For b
, we can use a multiset to hold all the values to the right of A[i]
in descending order, and use binary search to find the greatest element that is smaller than A[i]
.
// OJ: https://leetcode.com/problems/132-pattern/
// Author: github.com/lzl124631x
// Time: O(NlogN)
// Space: O(N)
class Solution {
public:
bool find132pattern(vector<int>& A) {
multiset<int, greater<int>> s(begin(A), end(A));
int mn = INT_MAX;
for (int n : A) {
mn = min(mn, n);
s.erase(s.find(n));
auto it = s.upper_bound(n);
if (it != s.end() && mn < *it) return true;
}
return false;
}
};
Assume the sequence is a, b, c
(a < c < b
).
We scan from the right to the left. Keep a monotonically decreasing stack s
storing candidate value of b
, and keep track of the last popped value as the best candidate of c
in a variable right
.
The best candidate of c
must be monotonically increasing because the moment we find that the current element is < c
, we've found a valid sequence.
As for the stack s
, we pop all the elements that are smaller than A[i]
, store the last popped element in right
, and then push A[i]
into the stack. Thus s.top()
and right
forms a best candidate b, c
sequence.
Once we find A[i] < right
, we can return true
.
// OJ: https://leetcode.com/problems/132-pattern/
// Author: github.com/lzl124631x
// Time: O(N)
// Space: O(N)
// Ref: https://leetcode.com/problems/132-pattern/discuss/94071/Single-pass-C%2B%2B-O(n)-space-and-time-solution-(8-lines)-with-detailed-explanation.
class Solution {
public:
bool find132pattern(vector<int>& A) {
stack<int> s;
int right = INT_MIN;
for (int i = A.size() - 1; i >= 0; --i) {
if (A[i] < right) return true;
while (s.size() && s.top() < A[i]) {
right = s.top();
s.pop();
}
s.push(A[i]);
}
return false;
}
};